diff options
Diffstat (limited to 'apps')
612 files changed, 8147 insertions, 6368 deletions
diff --git a/apps/dav/composer/composer/autoload_classmap.php b/apps/dav/composer/composer/autoload_classmap.php index 764f94ef665..b9708ea5589 100644 --- a/apps/dav/composer/composer/autoload_classmap.php +++ b/apps/dav/composer/composer/autoload_classmap.php @@ -216,6 +216,7 @@ return array( 'OCA\\DAV\\Connector\\Sabre\\Node' => $baseDir . '/../lib/Connector/Sabre/Node.php', 'OCA\\DAV\\Connector\\Sabre\\ObjectTree' => $baseDir . '/../lib/Connector/Sabre/ObjectTree.php', 'OCA\\DAV\\Connector\\Sabre\\Principal' => $baseDir . '/../lib/Connector/Sabre/Principal.php', + 'OCA\\DAV\\Connector\\Sabre\\PropFindMonitorPlugin' => $baseDir . '/../lib/Connector/Sabre/PropFindMonitorPlugin.php', 'OCA\\DAV\\Connector\\Sabre\\PropfindCompressionPlugin' => $baseDir . '/../lib/Connector/Sabre/PropfindCompressionPlugin.php', 'OCA\\DAV\\Connector\\Sabre\\PublicAuth' => $baseDir . '/../lib/Connector/Sabre/PublicAuth.php', 'OCA\\DAV\\Connector\\Sabre\\QuotaPlugin' => $baseDir . '/../lib/Connector/Sabre/QuotaPlugin.php', diff --git a/apps/dav/composer/composer/autoload_static.php b/apps/dav/composer/composer/autoload_static.php index f3d1eacfcd0..75ac3350160 100644 --- a/apps/dav/composer/composer/autoload_static.php +++ b/apps/dav/composer/composer/autoload_static.php @@ -231,6 +231,7 @@ class ComposerStaticInitDAV 'OCA\\DAV\\Connector\\Sabre\\Node' => __DIR__ . '/..' . '/../lib/Connector/Sabre/Node.php', 'OCA\\DAV\\Connector\\Sabre\\ObjectTree' => __DIR__ . '/..' . '/../lib/Connector/Sabre/ObjectTree.php', 'OCA\\DAV\\Connector\\Sabre\\Principal' => __DIR__ . '/..' . '/../lib/Connector/Sabre/Principal.php', + 'OCA\\DAV\\Connector\\Sabre\\PropFindMonitorPlugin' => __DIR__ . '/..' . '/../lib/Connector/Sabre/PropFindMonitorPlugin.php', 'OCA\\DAV\\Connector\\Sabre\\PropfindCompressionPlugin' => __DIR__ . '/..' . '/../lib/Connector/Sabre/PropfindCompressionPlugin.php', 'OCA\\DAV\\Connector\\Sabre\\PublicAuth' => __DIR__ . '/..' . '/../lib/Connector/Sabre/PublicAuth.php', 'OCA\\DAV\\Connector\\Sabre\\QuotaPlugin' => __DIR__ . '/..' . '/../lib/Connector/Sabre/QuotaPlugin.php', diff --git a/apps/dav/lib/Connector/Sabre/BlockLegacyClientPlugin.php b/apps/dav/lib/Connector/Sabre/BlockLegacyClientPlugin.php index 44430b0004e..21358406a4a 100644 --- a/apps/dav/lib/Connector/Sabre/BlockLegacyClientPlugin.php +++ b/apps/dav/lib/Connector/Sabre/BlockLegacyClientPlugin.php @@ -49,7 +49,7 @@ class BlockLegacyClientPlugin extends ServerPlugin { return; } - $minimumSupportedDesktopVersion = $this->config->getSystemValueString('minimum.supported.desktop.version', '2.7.0'); + $minimumSupportedDesktopVersion = $this->config->getSystemValueString('minimum.supported.desktop.version', '3.1.0'); $maximumSupportedDesktopVersion = $this->config->getSystemValueString('maximum.supported.desktop.version', '99.99.99'); // Check if the client is a desktop client diff --git a/apps/dav/lib/Connector/Sabre/PropFindMonitorPlugin.php b/apps/dav/lib/Connector/Sabre/PropFindMonitorPlugin.php new file mode 100644 index 00000000000..130d4562146 --- /dev/null +++ b/apps/dav/lib/Connector/Sabre/PropFindMonitorPlugin.php @@ -0,0 +1,78 @@ +<?php + +declare(strict_types = 1); + +/** + * SPDX-FileCopyrightText: 2025 Nextcloud GmbH and Nextcloud contributors + * SPDX-License-Identifier: AGPL-3.0-or-later + */ +namespace OCA\DAV\Connector\Sabre; + +use Sabre\DAV\Server as SabreServer; +use Sabre\DAV\ServerPlugin; +use Sabre\HTTP\RequestInterface; +use Sabre\HTTP\ResponseInterface; + +/** + * This plugin runs after requests and logs an error if a plugin is detected + * to be doing too many SQL requests. + */ +class PropFindMonitorPlugin extends ServerPlugin { + + /** + * A Plugin can scan up to this amount of nodes without an error being + * reported. + */ + public const THRESHOLD_NODES = 50; + + /** + * A plugin can use up to this amount of queries per node. + */ + public const THRESHOLD_QUERY_FACTOR = 1; + + private SabreServer $server; + + public function initialize(SabreServer $server): void { + $this->server = $server; + $this->server->on('afterResponse', [$this, 'afterResponse']); + } + + public function afterResponse( + RequestInterface $request, + ResponseInterface $response): void { + if (!$this->server instanceof Server) { + return; + } + + $pluginQueries = $this->server->getPluginQueries(); + if (empty($pluginQueries)) { + return; + } + $maxDepth = max(0, ...array_keys($pluginQueries)); + // entries at the top are usually not interesting + unset($pluginQueries[$maxDepth]); + + $logger = $this->server->getLogger(); + foreach ($pluginQueries as $depth => $propFinds) { + foreach ($propFinds as $pluginName => $propFind) { + [ + 'queries' => $queries, + 'nodes' => $nodes + ] = $propFind; + if ($queries === 0 || $nodes > $queries || $nodes < self::THRESHOLD_NODES + || $queries < $nodes * self::THRESHOLD_QUERY_FACTOR) { + continue; + } + $logger->error( + '{name} scanned {scans} nodes with {count} queries in depth {depth}/{maxDepth}. This is bad for performance, please report to the plugin developer!', [ + 'name' => $pluginName, + 'scans' => $nodes, + 'count' => $queries, + 'depth' => $depth, + 'maxDepth' => $maxDepth, + ] + ); + } + } + } +} diff --git a/apps/dav/lib/Connector/Sabre/Server.php b/apps/dav/lib/Connector/Sabre/Server.php index f3bfac1d6e0..dda9c29b763 100644 --- a/apps/dav/lib/Connector/Sabre/Server.php +++ b/apps/dav/lib/Connector/Sabre/Server.php @@ -7,7 +7,11 @@ */ namespace OCA\DAV\Connector\Sabre; +use OC\DB\Connection; +use Override; use Sabre\DAV\Exception; +use Sabre\DAV\INode; +use Sabre\DAV\PropFind; use Sabre\DAV\Version; use TypeError; @@ -22,6 +26,14 @@ class Server extends \Sabre\DAV\Server { /** @var CachingTree $tree */ /** + * Tracks queries done by plugins. + * @var array<int, array<string, array{nodes:int, queries:int}>> + */ + private array $pluginQueries = []; + + public bool $debugEnabled = false; + + /** * @see \Sabre\DAV\Server */ public function __construct($treeOrNode = null) { @@ -30,6 +42,97 @@ class Server extends \Sabre\DAV\Server { $this->enablePropfindDepthInfinity = true; } + #[Override] + public function once( + string $eventName, + callable $callBack, + int $priority = 100, + ): void { + $this->debugEnabled ? $this->monitorPropfindQueries( + parent::once(...), + ...func_get_args(), + ) : parent::once(...func_get_args()); + } + + #[Override] + public function on( + string $eventName, + callable $callBack, + int $priority = 100, + ): void { + $this->debugEnabled ? $this->monitorPropfindQueries( + parent::on(...), + ...func_get_args(), + ) : parent::on(...func_get_args()); + } + + /** + * Wraps the handler $callBack into a query-monitoring function and calls + * $parentFn to register it. + */ + private function monitorPropfindQueries( + callable $parentFn, + string $eventName, + callable $callBack, + int $priority = 100, + ): void { + if ($eventName !== 'propFind') { + $parentFn($eventName, $callBack, $priority); + return; + } + + $pluginName = debug_backtrace(DEBUG_BACKTRACE_IGNORE_ARGS, 3)[2]['class'] ?? 'unknown'; + $callback = $this->getMonitoredCallback($callBack, $pluginName); + + $parentFn($eventName, $callback, $priority); + } + + /** + * Returns a callable that wraps $callBack with code that monitors and + * records queries per plugin. + */ + private function getMonitoredCallback( + callable $callBack, + string $pluginName, + ): callable { + return function (PropFind $propFind, INode $node) use ( + $callBack, + $pluginName, + ) { + $connection = \OCP\Server::get(Connection::class); + $queriesBefore = $connection->getStats()['executed']; + $result = $callBack($propFind, $node); + $queriesAfter = $connection->getStats()['executed']; + $this->trackPluginQueries( + $pluginName, + $queriesAfter - $queriesBefore, + $propFind->getDepth() + ); + + return $result; + }; + } + + /** + * Tracks the queries executed by a specific plugin. + */ + private function trackPluginQueries( + string $pluginName, + int $queriesExecuted, + int $depth, + ): void { + // report only nodes which cause queries to the DB + if ($queriesExecuted === 0) { + return; + } + + $this->pluginQueries[$depth][$pluginName]['nodes'] + = ($this->pluginQueries[$depth][$pluginName]['nodes'] ?? 0) + 1; + + $this->pluginQueries[$depth][$pluginName]['queries'] + = ($this->pluginQueries[$depth][$pluginName]['queries'] ?? 0) + $queriesExecuted; + } + /** * * @return void @@ -115,4 +218,13 @@ class Server extends \Sabre\DAV\Server { $this->sapi->sendResponse($this->httpResponse); } } + + /** + * Returns queries executed by registered plugins. + * + * @return array<int, array<string, array{nodes:int, queries:int}>> + */ + public function getPluginQueries(): array { + return $this->pluginQueries; + } } diff --git a/apps/dav/lib/Connector/Sabre/ServerFactory.php b/apps/dav/lib/Connector/Sabre/ServerFactory.php index 3749b506d16..a6a27057177 100644 --- a/apps/dav/lib/Connector/Sabre/ServerFactory.php +++ b/apps/dav/lib/Connector/Sabre/ServerFactory.php @@ -68,6 +68,7 @@ class ServerFactory { Plugin $authPlugin, callable $viewCallBack, ): Server { + $debugEnabled = $this->config->getSystemValue('debug', false); // Fire up server if ($isPublicShare) { $rootCollection = new SimpleCollection('root'); @@ -89,6 +90,10 @@ class ServerFactory { )); $server->addPlugin(new AnonymousOptionsPlugin()); $server->addPlugin($authPlugin); + if ($debugEnabled) { + $server->debugEnabled = $debugEnabled; + $server->addPlugin(new PropFindMonitorPlugin()); + } // FIXME: The following line is a workaround for legacy components relying on being able to send a GET to / $server->addPlugin(new DummyGetResponsePlugin()); $server->addPlugin(new ExceptionLoggerPlugin('webdav', $this->logger)); @@ -117,7 +122,8 @@ class ServerFactory { } // wait with registering these until auth is handled and the filesystem is setup - $server->on('beforeMethod:*', function () use ($server, $tree, $viewCallBack, $isPublicShare, $rootCollection): void { + $server->on('beforeMethod:*', function () use ($server, $tree, + $viewCallBack, $isPublicShare, $rootCollection, $debugEnabled): void { // ensure the skeleton is copied $userFolder = \OC::$server->getUserFolder(); @@ -181,7 +187,7 @@ class ServerFactory { \OCP\Server::get(IFilenameValidator::class), \OCP\Server::get(IAccountManager::class), false, - !$this->config->getSystemValue('debug', false) + !$debugEnabled ) ); $server->addPlugin(new QuotaPlugin($view)); diff --git a/apps/dav/lib/Connector/Sabre/ZipFolderPlugin.php b/apps/dav/lib/Connector/Sabre/ZipFolderPlugin.php index 220988caba0..f198519b454 100644 --- a/apps/dav/lib/Connector/Sabre/ZipFolderPlugin.php +++ b/apps/dav/lib/Connector/Sabre/ZipFolderPlugin.php @@ -67,15 +67,16 @@ class ZipFolderPlugin extends ServerPlugin { // Remove the root path from the filename to make it relative to the requested folder $filename = str_replace($rootPath, '', $node->getPath()); + $mtime = $node->getMTime(); if ($node instanceof NcFile) { $resource = $node->fopen('rb'); if ($resource === false) { $this->logger->info('Cannot read file for zip stream', ['filePath' => $node->getPath()]); throw new \Sabre\DAV\Exception\ServiceUnavailable('Requested file can currently not be accessed.'); } - $streamer->addFileFromStream($resource, $filename, $node->getSize(), $node->getMTime()); + $streamer->addFileFromStream($resource, $filename, $node->getSize(), $mtime); } elseif ($node instanceof NcFolder) { - $streamer->addEmptyDir($filename); + $streamer->addEmptyDir($filename, $mtime); $content = $node->getDirectoryListing(); foreach ($content as $subNode) { $this->streamNode($streamer, $subNode, $rootPath); diff --git a/apps/dav/lib/DAV/CustomPropertiesBackend.php b/apps/dav/lib/DAV/CustomPropertiesBackend.php index f3fff11b3da..f9a4f8ee986 100644 --- a/apps/dav/lib/DAV/CustomPropertiesBackend.php +++ b/apps/dav/lib/DAV/CustomPropertiesBackend.php @@ -10,9 +10,9 @@ namespace OCA\DAV\DAV; use Exception; use OCA\DAV\CalDAV\Calendar; +use OCA\DAV\CalDAV\CalendarObject; use OCA\DAV\CalDAV\DefaultCalendarValidator; use OCA\DAV\Connector\Sabre\Directory; -use OCA\DAV\Connector\Sabre\FilesPlugin; use OCP\DB\QueryBuilder\IQueryBuilder; use OCP\IDBConnection; use OCP\IUser; @@ -66,38 +66,16 @@ class CustomPropertiesBackend implements BackendInterface { '{DAV:}getetag', '{DAV:}quota-used-bytes', '{DAV:}quota-available-bytes', - '{http://owncloud.org/ns}permissions', - '{http://owncloud.org/ns}downloadURL', - '{http://owncloud.org/ns}dDC', - '{http://owncloud.org/ns}size', - '{http://nextcloud.org/ns}is-encrypted', - - // Currently, returning null from any propfind handler would still trigger the backend, - // so we add all known Nextcloud custom properties in here to avoid that - - // text app - '{http://nextcloud.org/ns}rich-workspace', - '{http://nextcloud.org/ns}rich-workspace-file', - // groupfolders - '{http://nextcloud.org/ns}acl-enabled', - '{http://nextcloud.org/ns}acl-can-manage', - '{http://nextcloud.org/ns}acl-list', - '{http://nextcloud.org/ns}inherited-acl-list', - '{http://nextcloud.org/ns}group-folder-id', - // files_lock - '{http://nextcloud.org/ns}lock', - '{http://nextcloud.org/ns}lock-owner-type', - '{http://nextcloud.org/ns}lock-owner', - '{http://nextcloud.org/ns}lock-owner-displayname', - '{http://nextcloud.org/ns}lock-owner-editor', - '{http://nextcloud.org/ns}lock-time', - '{http://nextcloud.org/ns}lock-timeout', - '{http://nextcloud.org/ns}lock-token', - // photos - '{http://nextcloud.org/ns}realpath', - '{http://nextcloud.org/ns}nbItems', - '{http://nextcloud.org/ns}face-detections', - '{http://nextcloud.org/ns}face-preview-image', + ]; + + /** + * Allowed properties for the oc/nc namespace, all other properties in the namespace are ignored + * + * @var string[] + */ + private const ALLOWED_NC_PROPERTIES = [ + '{http://owncloud.org/ns}calendar-enabled', + '{http://owncloud.org/ns}enabled', ]; /** @@ -155,14 +133,9 @@ class CustomPropertiesBackend implements BackendInterface { public function propFind($path, PropFind $propFind) { $requestedProps = $propFind->get404Properties(); - // these might appear - $requestedProps = array_diff( - $requestedProps, - self::IGNORED_PROPERTIES, - ); $requestedProps = array_filter( $requestedProps, - fn ($prop) => !str_starts_with($prop, FilesPlugin::FILE_METADATA_PREFIX), + $this->isPropertyAllowed(...), ); // substr of calendars/ => path is inside the CalDAV component @@ -224,6 +197,11 @@ class CustomPropertiesBackend implements BackendInterface { $this->cacheDirectory($path, $node); } + if ($node instanceof CalendarObject) { + // No custom properties supported on individual events + return; + } + // First fetch the published properties (set by another user), then get the ones set by // the current user. If both are set then the latter as priority. foreach ($this->getPublishedProperties($path, $requestedProps) as $propName => $propValue) { @@ -244,6 +222,16 @@ class CustomPropertiesBackend implements BackendInterface { } } + private function isPropertyAllowed(string $property): bool { + if (in_array($property, self::IGNORED_PROPERTIES)) { + return false; + } + if (str_starts_with($property, '{http://owncloud.org/ns}') || str_starts_with($property, '{http://nextcloud.org/ns}')) { + return in_array($property, self::ALLOWED_NC_PROPERTIES); + } + return true; + } + /** * Updates properties for a path * diff --git a/apps/dav/lib/Server.php b/apps/dav/lib/Server.php index f81c7fa6f29..a92e162f1b0 100644 --- a/apps/dav/lib/Server.php +++ b/apps/dav/lib/Server.php @@ -45,6 +45,7 @@ use OCA\DAV\Connector\Sabre\FilesReportPlugin; use OCA\DAV\Connector\Sabre\LockPlugin; use OCA\DAV\Connector\Sabre\MaintenancePlugin; use OCA\DAV\Connector\Sabre\PropfindCompressionPlugin; +use OCA\DAV\Connector\Sabre\PropFindMonitorPlugin; use OCA\DAV\Connector\Sabre\QuotaPlugin; use OCA\DAV\Connector\Sabre\RequestIdHeaderPlugin; use OCA\DAV\Connector\Sabre\SharesPlugin; @@ -108,6 +109,7 @@ class Server { private IRequest $request, private string $baseUri, ) { + $debugEnabled = \OCP\Server::get(IConfig::class)->getSystemValue('debug', false); $this->profiler = \OCP\Server::get(IProfiler::class); if ($this->profiler->isEnabled()) { /** @var IEventLogger $eventLogger */ @@ -120,6 +122,7 @@ class Server { $root = new RootCollection(); $this->server = new \OCA\DAV\Connector\Sabre\Server(new CachingTree($root)); + $this->server->setLogger($logger); // Add maintenance plugin $this->server->addPlugin(new MaintenancePlugin(\OCP\Server::get(IConfig::class), \OC::$server->getL10N('dav'))); @@ -167,7 +170,9 @@ class Server { $authPlugin->addBackend($authBackend); // debugging - if (\OCP\Server::get(IConfig::class)->getSystemValue('debug', false)) { + if ($debugEnabled) { + $this->server->debugEnabled = true; + $this->server->addPlugin(new PropFindMonitorPlugin()); $this->server->addPlugin(new \Sabre\DAV\Browser\Plugin()); } else { $this->server->addPlugin(new DummyGetResponsePlugin()); diff --git a/apps/dav/tests/unit/Connector/Sabre/PropFindMonitorPluginTest.php b/apps/dav/tests/unit/Connector/Sabre/PropFindMonitorPluginTest.php new file mode 100644 index 00000000000..b528c3d731c --- /dev/null +++ b/apps/dav/tests/unit/Connector/Sabre/PropFindMonitorPluginTest.php @@ -0,0 +1,123 @@ +<?php + +/** + * SPDX-FileCopyrightText: 2025 Nextcloud GmbH and Nextcloud contributors + * SPDX-License-Identifier: AGPL-3.0-or-later + */ +namespace unit\Connector\Sabre; + +use OCA\DAV\Connector\Sabre\PropFindMonitorPlugin; +use OCA\DAV\Connector\Sabre\Server; +use PHPUnit\Framework\MockObject\MockObject; +use Psr\Log\LoggerInterface; +use Sabre\HTTP\Request; +use Sabre\HTTP\Response; +use Test\TestCase; + +class PropFindMonitorPluginTest extends TestCase { + + private PropFindMonitorPlugin $plugin; + private Server&MockObject $server; + private LoggerInterface&MockObject $logger; + private Request&MockObject $request; + private Response&MockObject $response; + + public static function dataTest(): array { + $minQueriesTrigger = PropFindMonitorPlugin::THRESHOLD_QUERY_FACTOR + * PropFindMonitorPlugin::THRESHOLD_NODES; + return [ + 'No queries logged' => [[], 0], + 'Plugins with queries in less than threshold nodes should not be logged' => [ + [ + [ + 'PluginName' => ['queries' => 100, 'nodes' + => PropFindMonitorPlugin::THRESHOLD_NODES - 1] + ], + [], + ], + 0 + ], + 'Plugins with query-to-node ratio less than threshold should not be logged' => [ + [ + [ + 'PluginName' => [ + 'queries' => $minQueriesTrigger - 1, + 'nodes' => PropFindMonitorPlugin::THRESHOLD_NODES ], + ], + [], + ], + 0 + ], + 'Plugins with more nodes scanned than queries executed should not be logged' => [ + [ + [ + 'PluginName' => [ + 'queries' => $minQueriesTrigger, + 'nodes' => PropFindMonitorPlugin::THRESHOLD_NODES * 2], + ], + [], + ], + 0 + ], + 'Plugins with queries only in highest depth level should not be logged' => [ + [ + [ + 'PluginName' => [ + 'queries' => $minQueriesTrigger, + 'nodes' => PropFindMonitorPlugin::THRESHOLD_NODES - 1 + ] + ], + [ + 'PluginName' => [ + 'queries' => $minQueriesTrigger * 2, + 'nodes' => PropFindMonitorPlugin::THRESHOLD_NODES + ] + ] + ], + 0 + ], + 'Plugins with too many queries should be logged' => [ + [ + [ + 'FirstPlugin' => [ + 'queries' => $minQueriesTrigger, + 'nodes' => PropFindMonitorPlugin::THRESHOLD_NODES, + ], + 'SecondPlugin' => [ + 'queries' => $minQueriesTrigger, + 'nodes' => PropFindMonitorPlugin::THRESHOLD_NODES, + ] + ], + [] + ], + 2 + ] + ]; + } + + /** + * @dataProvider dataTest + */ + public function test(array $queries, $expectedLogCalls): void { + $this->plugin->initialize($this->server); + $this->server->expects($this->once())->method('getPluginQueries') + ->willReturn($queries); + + $this->server->expects(empty($queries) ? $this->never() : $this->once()) + ->method('getLogger') + ->willReturn($this->logger); + + $this->logger->expects($this->exactly($expectedLogCalls))->method('error'); + $this->plugin->afterResponse($this->request, $this->response); + } + + protected function setUp(): void { + parent::setUp(); + + $this->plugin = new PropFindMonitorPlugin(); + $this->server = $this->createMock(Server::class); + $this->logger = $this->createMock(LoggerInterface::class); + $this->request = $this->createMock(Request::class); + $this->response = $this->createMock(Response::class); + } +} diff --git a/apps/federatedfilesharing/l10n/ar.js b/apps/federatedfilesharing/l10n/ar.js index 10d0694c8d1..f6b6d60417b 100644 --- a/apps/federatedfilesharing/l10n/ar.js +++ b/apps/federatedfilesharing/l10n/ar.js @@ -47,8 +47,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "شارك معي عبر #مُعرّف سحابة نكست كلاود الاتحادية، أنظُر {url} ", "Share with me through my #Nextcloud Federated Cloud ID" : "شارك معي عبر #مُعرّف سحابة نكست كلاود الاتحادية", "Share with me via Nextcloud" : "شاركه معي عبر النكست كلاود", - "Cloud ID copied to the clipboard" : "تمّ نسخ مُعرِّف السحابة إلى الحافظة", - "Copy to clipboard" : "نسخ الرابط", + "Copy" : "إنسَخ", "Clipboard not available. Please copy the cloud ID manually." : "الحافظة غير متوفرة. رجاءً، قم بنسخ مُعرِّف السحابة يدوياً.", "Copied!" : "تمَّ النسخ!", "Federated Cloud" : "السحابة الاتحادية", @@ -66,6 +65,8 @@ OC.L10N.register( "Remote share" : "مُشاركة بعيدة remote", "Do you want to add the remote share {name} from {owner}@{remote}?" : "هل ترغب في إضافة مُشاركة بعيدة remote ـ {name} من {owner}@{remote}؟", "Remote share password" : "كلمة مرور المشاركة البعيدة remote", - "Incoming share could not be processed" : "لا يمكن معالجة المشاركة الواردة" + "Incoming share could not be processed" : "لا يمكن معالجة المشاركة الواردة", + "Cloud ID copied to the clipboard" : "تمّ نسخ مُعرِّف السحابة إلى الحافظة", + "Copy to clipboard" : "نسخ الرابط" }, "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/federatedfilesharing/l10n/ar.json b/apps/federatedfilesharing/l10n/ar.json index 869f21642c1..f689fe15b7b 100644 --- a/apps/federatedfilesharing/l10n/ar.json +++ b/apps/federatedfilesharing/l10n/ar.json @@ -45,8 +45,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "شارك معي عبر #مُعرّف سحابة نكست كلاود الاتحادية، أنظُر {url} ", "Share with me through my #Nextcloud Federated Cloud ID" : "شارك معي عبر #مُعرّف سحابة نكست كلاود الاتحادية", "Share with me via Nextcloud" : "شاركه معي عبر النكست كلاود", - "Cloud ID copied to the clipboard" : "تمّ نسخ مُعرِّف السحابة إلى الحافظة", - "Copy to clipboard" : "نسخ الرابط", + "Copy" : "إنسَخ", "Clipboard not available. Please copy the cloud ID manually." : "الحافظة غير متوفرة. رجاءً، قم بنسخ مُعرِّف السحابة يدوياً.", "Copied!" : "تمَّ النسخ!", "Federated Cloud" : "السحابة الاتحادية", @@ -64,6 +63,8 @@ "Remote share" : "مُشاركة بعيدة remote", "Do you want to add the remote share {name} from {owner}@{remote}?" : "هل ترغب في إضافة مُشاركة بعيدة remote ـ {name} من {owner}@{remote}؟", "Remote share password" : "كلمة مرور المشاركة البعيدة remote", - "Incoming share could not be processed" : "لا يمكن معالجة المشاركة الواردة" + "Incoming share could not be processed" : "لا يمكن معالجة المشاركة الواردة", + "Cloud ID copied to the clipboard" : "تمّ نسخ مُعرِّف السحابة إلى الحافظة", + "Copy to clipboard" : "نسخ الرابط" },"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/federatedfilesharing/l10n/ast.js b/apps/federatedfilesharing/l10n/ast.js index 31f11f41cd6..ad213230fa3 100644 --- a/apps/federatedfilesharing/l10n/ast.js +++ b/apps/federatedfilesharing/l10n/ast.js @@ -34,8 +34,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Compartir conmigo pente la mio ID de nube federada de #Nextcloud, mira {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Compartir conmigo pente la mio ID de nube federada de #Nextcloud", "Share with me via Nextcloud" : "Compartir conmigo per Nextcloud", - "Cloud ID copied to the clipboard" : "La ID de la nube copióse nel cartafueyu", - "Copy to clipboard" : "Copiar nel cartafueyu", + "Copy" : "Copiar", "Copied!" : "¡Copióse!", "Federated Cloud" : "Nube federada", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Pues compartir conteníu con cualesquier persona qu'use un sirvidor de Nextcloud o otros sirvidores y servicios compatibles con Open Cloud Mesh (OCM). Namás indica la ID de na nube federada nel cuadru de diálogu d'usu compartíu. Aseméyase a persona@nube.exemplu.com", @@ -49,6 +48,8 @@ OC.L10N.register( "Add remote share" : "Amestar un elementu compartíu remotu", "Remote share" : "Compartición remota", "Do you want to add the remote share {name} from {owner}@{remote}?" : "¿Quies amestar la compartición remota «{name}» de {owner}@{remote}?", - "Remote share password" : "Contraseña de la compartición remota" + "Remote share password" : "Contraseña de la compartición remota", + "Cloud ID copied to the clipboard" : "La ID de la nube copióse nel cartafueyu", + "Copy to clipboard" : "Copiar nel cartafueyu" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/ast.json b/apps/federatedfilesharing/l10n/ast.json index 84f11d0c1ec..7d2fa373e15 100644 --- a/apps/federatedfilesharing/l10n/ast.json +++ b/apps/federatedfilesharing/l10n/ast.json @@ -32,8 +32,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Compartir conmigo pente la mio ID de nube federada de #Nextcloud, mira {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Compartir conmigo pente la mio ID de nube federada de #Nextcloud", "Share with me via Nextcloud" : "Compartir conmigo per Nextcloud", - "Cloud ID copied to the clipboard" : "La ID de la nube copióse nel cartafueyu", - "Copy to clipboard" : "Copiar nel cartafueyu", + "Copy" : "Copiar", "Copied!" : "¡Copióse!", "Federated Cloud" : "Nube federada", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Pues compartir conteníu con cualesquier persona qu'use un sirvidor de Nextcloud o otros sirvidores y servicios compatibles con Open Cloud Mesh (OCM). Namás indica la ID de na nube federada nel cuadru de diálogu d'usu compartíu. Aseméyase a persona@nube.exemplu.com", @@ -47,6 +46,8 @@ "Add remote share" : "Amestar un elementu compartíu remotu", "Remote share" : "Compartición remota", "Do you want to add the remote share {name} from {owner}@{remote}?" : "¿Quies amestar la compartición remota «{name}» de {owner}@{remote}?", - "Remote share password" : "Contraseña de la compartición remota" + "Remote share password" : "Contraseña de la compartición remota", + "Cloud ID copied to the clipboard" : "La ID de la nube copióse nel cartafueyu", + "Copy to clipboard" : "Copiar nel cartafueyu" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/bg.js b/apps/federatedfilesharing/l10n/bg.js index 922303991fa..73c99f1d716 100644 --- a/apps/federatedfilesharing/l10n/bg.js +++ b/apps/federatedfilesharing/l10n/bg.js @@ -26,8 +26,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Споделете с мен чрез моя #Nextcloud Federated Cloud ID, вижте {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Споделете с мен, чрез моя #Nextcloud Federated Cloud ID", "Share with me via Nextcloud" : "Споделете с мен, чрез Nextcloud", - "Cloud ID copied to the clipboard" : "Cloud идентификатора е копиран в клипборда", - "Copy to clipboard" : "Копиране в клипборда", + "Copy" : "Копие", "Copied!" : "Копирано!", "Federated Cloud" : "Федериран облак", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Можете да споделяте с всеки, който използва сървър Nextcloud или други сървъри и услуги, съвместими с Open Cloud Mesh (OCM)! Просто поставете техния идентификатор за Федериран облак в диалоговия прозорец за споделяне. Изглежда като person@cloud.example.com", @@ -40,6 +39,8 @@ OC.L10N.register( "Add remote share" : "Добави отдалечено споделяне", "Remote share" : "Отдалечено споделяне", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Искате ли да добавите отдалечено споделяне {name} от {owner}@{remote}?", - "Remote share password" : "Парола за отдалечено споделяне" + "Remote share password" : "Парола за отдалечено споделяне", + "Cloud ID copied to the clipboard" : "Cloud идентификатора е копиран в клипборда", + "Copy to clipboard" : "Копиране в клипборда" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/bg.json b/apps/federatedfilesharing/l10n/bg.json index 2a64b1b8cc6..6f87af202a0 100644 --- a/apps/federatedfilesharing/l10n/bg.json +++ b/apps/federatedfilesharing/l10n/bg.json @@ -24,8 +24,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Споделете с мен чрез моя #Nextcloud Federated Cloud ID, вижте {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Споделете с мен, чрез моя #Nextcloud Federated Cloud ID", "Share with me via Nextcloud" : "Споделете с мен, чрез Nextcloud", - "Cloud ID copied to the clipboard" : "Cloud идентификатора е копиран в клипборда", - "Copy to clipboard" : "Копиране в клипборда", + "Copy" : "Копие", "Copied!" : "Копирано!", "Federated Cloud" : "Федериран облак", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Можете да споделяте с всеки, който използва сървър Nextcloud или други сървъри и услуги, съвместими с Open Cloud Mesh (OCM)! Просто поставете техния идентификатор за Федериран облак в диалоговия прозорец за споделяне. Изглежда като person@cloud.example.com", @@ -38,6 +37,8 @@ "Add remote share" : "Добави отдалечено споделяне", "Remote share" : "Отдалечено споделяне", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Искате ли да добавите отдалечено споделяне {name} от {owner}@{remote}?", - "Remote share password" : "Парола за отдалечено споделяне" + "Remote share password" : "Парола за отдалечено споделяне", + "Cloud ID copied to the clipboard" : "Cloud идентификатора е копиран в клипборда", + "Copy to clipboard" : "Копиране в клипборда" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/ca.js b/apps/federatedfilesharing/l10n/ca.js index 5a38b52135e..25b7d4308b1 100644 --- a/apps/federatedfilesharing/l10n/ca.js +++ b/apps/federatedfilesharing/l10n/ca.js @@ -37,8 +37,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Comparteix contingut amb mi amb el meu ID del núvol federat del #Nextcloud, consulta {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Comparteix contingut amb mi amb el meu ID del núvol federat del #Nextcloud", "Share with me via Nextcloud" : "Comparteix contingut amb mi a través del Nextcloud", - "Cloud ID copied to the clipboard" : "S'ha copiat l'ID del núvol al porta-retalls", - "Copy to clipboard" : "Copia-ho al porta-retalls", + "Copy" : "Còpia", "Clipboard not available. Please copy the cloud ID manually." : "Porta-retalls no disponible. Copieu l'identificador del núvol manualment.", "Copied!" : "S'ha copiat!", "Federated Cloud" : "Núvol federat", @@ -56,6 +55,8 @@ OC.L10N.register( "Remote share" : "Element compartit remot", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Voleu afegir l'element compartit remot {name} de {owner}@{remote}?", "Remote share password" : "Contrasenya de l'element compartit remot", - "Incoming share could not be processed" : "No s'ha pogut processar la compartició entrant" + "Incoming share could not be processed" : "No s'ha pogut processar la compartició entrant", + "Cloud ID copied to the clipboard" : "S'ha copiat l'ID del núvol al porta-retalls", + "Copy to clipboard" : "Copia-ho al porta-retalls" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/ca.json b/apps/federatedfilesharing/l10n/ca.json index b0a72bc8860..d9bd1abca84 100644 --- a/apps/federatedfilesharing/l10n/ca.json +++ b/apps/federatedfilesharing/l10n/ca.json @@ -35,8 +35,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Comparteix contingut amb mi amb el meu ID del núvol federat del #Nextcloud, consulta {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Comparteix contingut amb mi amb el meu ID del núvol federat del #Nextcloud", "Share with me via Nextcloud" : "Comparteix contingut amb mi a través del Nextcloud", - "Cloud ID copied to the clipboard" : "S'ha copiat l'ID del núvol al porta-retalls", - "Copy to clipboard" : "Copia-ho al porta-retalls", + "Copy" : "Còpia", "Clipboard not available. Please copy the cloud ID manually." : "Porta-retalls no disponible. Copieu l'identificador del núvol manualment.", "Copied!" : "S'ha copiat!", "Federated Cloud" : "Núvol federat", @@ -54,6 +53,8 @@ "Remote share" : "Element compartit remot", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Voleu afegir l'element compartit remot {name} de {owner}@{remote}?", "Remote share password" : "Contrasenya de l'element compartit remot", - "Incoming share could not be processed" : "No s'ha pogut processar la compartició entrant" + "Incoming share could not be processed" : "No s'ha pogut processar la compartició entrant", + "Cloud ID copied to the clipboard" : "S'ha copiat l'ID del núvol al porta-retalls", + "Copy to clipboard" : "Copia-ho al porta-retalls" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/cs.js b/apps/federatedfilesharing/l10n/cs.js index f0b144feda7..013630e041e 100644 --- a/apps/federatedfilesharing/l10n/cs.js +++ b/apps/federatedfilesharing/l10n/cs.js @@ -47,8 +47,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Sdílejte se mnou prostřednictvím mého #Nextcloud identifikátoru v rámci federovaného cloudu – více na {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Sdílejte se mnou pomocí mého #Nextcloud identifikátoru v rámci federovaného cloudu", "Share with me via Nextcloud" : "Sdílet se mnou přes Nextcloud", - "Cloud ID copied to the clipboard" : "Cloudový identifikátor zkopírován do schránky", - "Copy to clipboard" : "Zkopírovat do schránky", + "Copy" : "Zkopírovat", "Clipboard not available. Please copy the cloud ID manually." : "Schránka není k dispozici. Zkopírujte cloudový identifikátor ručně.", "Copied!" : "Zkopírováno", "Federated Cloud" : "Federovaný cloud", @@ -66,6 +65,8 @@ OC.L10N.register( "Remote share" : "Vzdálené sdílení", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Chcete přidat vzdálené sdílení {name} od {owner}@{remote}?", "Remote share password" : "Heslo ke vzdálenému sdílení", - "Incoming share could not be processed" : "Příchozí sdílení se nepodařilo zpracovat" + "Incoming share could not be processed" : "Příchozí sdílení se nepodařilo zpracovat", + "Cloud ID copied to the clipboard" : "Cloudový identifikátor zkopírován do schránky", + "Copy to clipboard" : "Zkopírovat do schránky" }, "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/federatedfilesharing/l10n/cs.json b/apps/federatedfilesharing/l10n/cs.json index e71cbaeedb1..9095f12c807 100644 --- a/apps/federatedfilesharing/l10n/cs.json +++ b/apps/federatedfilesharing/l10n/cs.json @@ -45,8 +45,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Sdílejte se mnou prostřednictvím mého #Nextcloud identifikátoru v rámci federovaného cloudu – více na {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Sdílejte se mnou pomocí mého #Nextcloud identifikátoru v rámci federovaného cloudu", "Share with me via Nextcloud" : "Sdílet se mnou přes Nextcloud", - "Cloud ID copied to the clipboard" : "Cloudový identifikátor zkopírován do schránky", - "Copy to clipboard" : "Zkopírovat do schránky", + "Copy" : "Zkopírovat", "Clipboard not available. Please copy the cloud ID manually." : "Schránka není k dispozici. Zkopírujte cloudový identifikátor ručně.", "Copied!" : "Zkopírováno", "Federated Cloud" : "Federovaný cloud", @@ -64,6 +63,8 @@ "Remote share" : "Vzdálené sdílení", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Chcete přidat vzdálené sdílení {name} od {owner}@{remote}?", "Remote share password" : "Heslo ke vzdálenému sdílení", - "Incoming share could not be processed" : "Příchozí sdílení se nepodařilo zpracovat" + "Incoming share could not be processed" : "Příchozí sdílení se nepodařilo zpracovat", + "Cloud ID copied to the clipboard" : "Cloudový identifikátor zkopírován do schránky", + "Copy to clipboard" : "Zkopírovat do schránky" },"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/federatedfilesharing/l10n/da.js b/apps/federatedfilesharing/l10n/da.js index 4a1f7ccfd05..7a3802337ae 100644 --- a/apps/federatedfilesharing/l10n/da.js +++ b/apps/federatedfilesharing/l10n/da.js @@ -47,8 +47,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Del med mig gennem min #Nextcloud Sammenkoblings Cloud ID, se {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Del med mig gennem min #Nextcloud sammenkoblings Cloud ID", "Share with me via Nextcloud" : "Del med mig gennem Nextcloud", - "Cloud ID copied to the clipboard" : "Cloud ID er kopieret til udklipsholderen.", - "Copy to clipboard" : "Kopier til udklipsholder", + "Copy" : "Kopiér", "Clipboard not available. Please copy the cloud ID manually." : "Udklipsholder ikke tilgængelig. Kopier venligst Cloud ID'et manuelt.", "Copied!" : "Kopieret!", "Federated Cloud" : "Sammenkoblet Cloud", @@ -66,6 +65,8 @@ OC.L10N.register( "Remote share" : "Eksterne drev", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Ønsker du at tilføje det eksterne drev {name} fra {owner}@{remote}?", "Remote share password" : "Fjerndrev adgangskode", - "Incoming share could not be processed" : "Indgående deling kunne ikke behandles" + "Incoming share could not be processed" : "Indgående deling kunne ikke behandles", + "Cloud ID copied to the clipboard" : "Cloud ID er kopieret til udklipsholderen.", + "Copy to clipboard" : "Kopier til udklipsholder" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/da.json b/apps/federatedfilesharing/l10n/da.json index 91211cb949f..126673f739e 100644 --- a/apps/federatedfilesharing/l10n/da.json +++ b/apps/federatedfilesharing/l10n/da.json @@ -45,8 +45,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Del med mig gennem min #Nextcloud Sammenkoblings Cloud ID, se {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Del med mig gennem min #Nextcloud sammenkoblings Cloud ID", "Share with me via Nextcloud" : "Del med mig gennem Nextcloud", - "Cloud ID copied to the clipboard" : "Cloud ID er kopieret til udklipsholderen.", - "Copy to clipboard" : "Kopier til udklipsholder", + "Copy" : "Kopiér", "Clipboard not available. Please copy the cloud ID manually." : "Udklipsholder ikke tilgængelig. Kopier venligst Cloud ID'et manuelt.", "Copied!" : "Kopieret!", "Federated Cloud" : "Sammenkoblet Cloud", @@ -64,6 +63,8 @@ "Remote share" : "Eksterne drev", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Ønsker du at tilføje det eksterne drev {name} fra {owner}@{remote}?", "Remote share password" : "Fjerndrev adgangskode", - "Incoming share could not be processed" : "Indgående deling kunne ikke behandles" + "Incoming share could not be processed" : "Indgående deling kunne ikke behandles", + "Cloud ID copied to the clipboard" : "Cloud ID er kopieret til udklipsholderen.", + "Copy to clipboard" : "Kopier til udklipsholder" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/de.js b/apps/federatedfilesharing/l10n/de.js index 45ce2857917..c3af93170d2 100644 --- a/apps/federatedfilesharing/l10n/de.js +++ b/apps/federatedfilesharing/l10n/de.js @@ -47,8 +47,8 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Teile mit mir über meine #Nextcloud Federated-Cloud-ID, siehe {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Teile mit mir über meine #Nextcloud Federated-Cloud-ID", "Share with me via Nextcloud" : "Teile mit mir über Nextcloud", - "Cloud ID copied to the clipboard" : "Cloud-ID in die Zwischenablage kopiert", - "Copy to clipboard" : "In die Zwischenablage kopieren", + "Cloud ID copied" : "Cloud-ID kopiert", + "Copy" : "Kopieren", "Clipboard not available. Please copy the cloud ID manually." : "Zwischenablage nicht verfügbar. Bitte die Cloud-ID manuell kopieren.", "Copied!" : "Kopiert!", "Federated Cloud" : "Federated Cloud", @@ -67,6 +67,8 @@ OC.L10N.register( "Remote share" : "Externe Freigabe", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Soll die externe Freigabe {name} von {owner}@{remote} hinzugefügt werden?", "Remote share password" : "Passwort für die externe Freigabe", - "Incoming share could not be processed" : "Eingehende Freigabe konnte nicht verarbeitet werden" + "Incoming share could not be processed" : "Eingehende Freigabe konnte nicht verarbeitet werden", + "Cloud ID copied to the clipboard" : "Cloud-ID in die Zwischenablage kopiert", + "Copy to clipboard" : "In die Zwischenablage kopieren" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/de.json b/apps/federatedfilesharing/l10n/de.json index cf81a155c06..9fe515ca47a 100644 --- a/apps/federatedfilesharing/l10n/de.json +++ b/apps/federatedfilesharing/l10n/de.json @@ -45,8 +45,8 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Teile mit mir über meine #Nextcloud Federated-Cloud-ID, siehe {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Teile mit mir über meine #Nextcloud Federated-Cloud-ID", "Share with me via Nextcloud" : "Teile mit mir über Nextcloud", - "Cloud ID copied to the clipboard" : "Cloud-ID in die Zwischenablage kopiert", - "Copy to clipboard" : "In die Zwischenablage kopieren", + "Cloud ID copied" : "Cloud-ID kopiert", + "Copy" : "Kopieren", "Clipboard not available. Please copy the cloud ID manually." : "Zwischenablage nicht verfügbar. Bitte die Cloud-ID manuell kopieren.", "Copied!" : "Kopiert!", "Federated Cloud" : "Federated Cloud", @@ -65,6 +65,8 @@ "Remote share" : "Externe Freigabe", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Soll die externe Freigabe {name} von {owner}@{remote} hinzugefügt werden?", "Remote share password" : "Passwort für die externe Freigabe", - "Incoming share could not be processed" : "Eingehende Freigabe konnte nicht verarbeitet werden" + "Incoming share could not be processed" : "Eingehende Freigabe konnte nicht verarbeitet werden", + "Cloud ID copied to the clipboard" : "Cloud-ID in die Zwischenablage kopiert", + "Copy to clipboard" : "In die Zwischenablage kopieren" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/de_DE.js b/apps/federatedfilesharing/l10n/de_DE.js index 581d1ecce15..015b5242d3c 100644 --- a/apps/federatedfilesharing/l10n/de_DE.js +++ b/apps/federatedfilesharing/l10n/de_DE.js @@ -47,8 +47,8 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Teilen Sie mit mir über meine #Nextcloud Federated-Cloud-ID, siehe {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Teilen Sie mit mir über meine #Nextcloud Federated-Cloud-ID", "Share with me via Nextcloud" : "Teilen Sie mit mir über Nextcloud", - "Cloud ID copied to the clipboard" : "Cloud-ID wurde in die Zwischenablage kopiert", - "Copy to clipboard" : "In die Zwischenablage kopieren", + "Cloud ID copied" : "Cloud-ID kopiert", + "Copy" : "Kopieren", "Clipboard not available. Please copy the cloud ID manually." : "Zwischenablage nicht verfügbar. Bitte die Cloud-ID manuell kopieren.", "Copied!" : "Kopiert!", "Federated Cloud" : "Federated Cloud", @@ -67,6 +67,8 @@ OC.L10N.register( "Remote share" : "Externe Freigabe", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Möchten Sie die externe Freigabe {name} von {owner}@{remote} hinzufügen?", "Remote share password" : "Passwort für die externe Freigabe", - "Incoming share could not be processed" : "Eingehende Freigabe konnte nicht verarbeitet werden" + "Incoming share could not be processed" : "Eingehende Freigabe konnte nicht verarbeitet werden", + "Cloud ID copied to the clipboard" : "Cloud-ID wurde in die Zwischenablage kopiert", + "Copy to clipboard" : "In die Zwischenablage kopieren" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/de_DE.json b/apps/federatedfilesharing/l10n/de_DE.json index 5990ff0e334..6153178dbe0 100644 --- a/apps/federatedfilesharing/l10n/de_DE.json +++ b/apps/federatedfilesharing/l10n/de_DE.json @@ -45,8 +45,8 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Teilen Sie mit mir über meine #Nextcloud Federated-Cloud-ID, siehe {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Teilen Sie mit mir über meine #Nextcloud Federated-Cloud-ID", "Share with me via Nextcloud" : "Teilen Sie mit mir über Nextcloud", - "Cloud ID copied to the clipboard" : "Cloud-ID wurde in die Zwischenablage kopiert", - "Copy to clipboard" : "In die Zwischenablage kopieren", + "Cloud ID copied" : "Cloud-ID kopiert", + "Copy" : "Kopieren", "Clipboard not available. Please copy the cloud ID manually." : "Zwischenablage nicht verfügbar. Bitte die Cloud-ID manuell kopieren.", "Copied!" : "Kopiert!", "Federated Cloud" : "Federated Cloud", @@ -65,6 +65,8 @@ "Remote share" : "Externe Freigabe", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Möchten Sie die externe Freigabe {name} von {owner}@{remote} hinzufügen?", "Remote share password" : "Passwort für die externe Freigabe", - "Incoming share could not be processed" : "Eingehende Freigabe konnte nicht verarbeitet werden" + "Incoming share could not be processed" : "Eingehende Freigabe konnte nicht verarbeitet werden", + "Cloud ID copied to the clipboard" : "Cloud-ID wurde in die Zwischenablage kopiert", + "Copy to clipboard" : "In die Zwischenablage kopieren" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/el.js b/apps/federatedfilesharing/l10n/el.js index b99d6594094..265c5b358fa 100644 --- a/apps/federatedfilesharing/l10n/el.js +++ b/apps/federatedfilesharing/l10n/el.js @@ -22,7 +22,7 @@ OC.L10N.register( "Provide federated file sharing across servers" : "Παρέχει κοινής χρήσης αρχεία μεταξύ διακομιστών", "Share with me through my #Nextcloud Federated Cloud ID" : "Διαμοιρασμός με εμένα μέσω του #Nextcloud Federated Cloud ID μου", "Share with me via Nextcloud" : "Διαμοιραστείτε με εμένα μέσω του Nextcloud", - "Copy to clipboard" : "Αντιγραφή στο πρόχειρο", + "Copy" : "Αντιγραφή", "Copied!" : "Αντιγράφτηκε!", "Federated Cloud" : "Federated Cloud", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Μπορείτε να διαμοιράζεστε με οποιονδήποτε χρησιμοποιεί Nextcloud ή άλλο συμβατό διακομιστή και υπηρεσιών Open Cloud Mesh (OCM)! Απλά προσθέστε το Federated Cloud ID στο πλαίσιο διαλόγου διαμοιρασμού. Θα μοιάζει με person@cloud.example.com", @@ -35,6 +35,7 @@ OC.L10N.register( "Add remote share" : "Προσθήκη απομακρυσμένου κοινόχρηστου φακέλου", "Remote share" : "Απομακρυσμένος κοινόχρηστος φάκελος", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Θέλετε να προσθέσουμε τον απομακρυσμένο κοινόχρηστο φάκελο {name} από {owner}@{remote}?", - "Remote share password" : "Συνθηματικό απομακρυσμένου κοινόχρηστου φακέλου" + "Remote share password" : "Συνθηματικό απομακρυσμένου κοινόχρηστου φακέλου", + "Copy to clipboard" : "Αντιγραφή στο πρόχειρο" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/el.json b/apps/federatedfilesharing/l10n/el.json index 1e013da5ef5..cd4c4b914aa 100644 --- a/apps/federatedfilesharing/l10n/el.json +++ b/apps/federatedfilesharing/l10n/el.json @@ -20,7 +20,7 @@ "Provide federated file sharing across servers" : "Παρέχει κοινής χρήσης αρχεία μεταξύ διακομιστών", "Share with me through my #Nextcloud Federated Cloud ID" : "Διαμοιρασμός με εμένα μέσω του #Nextcloud Federated Cloud ID μου", "Share with me via Nextcloud" : "Διαμοιραστείτε με εμένα μέσω του Nextcloud", - "Copy to clipboard" : "Αντιγραφή στο πρόχειρο", + "Copy" : "Αντιγραφή", "Copied!" : "Αντιγράφτηκε!", "Federated Cloud" : "Federated Cloud", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Μπορείτε να διαμοιράζεστε με οποιονδήποτε χρησιμοποιεί Nextcloud ή άλλο συμβατό διακομιστή και υπηρεσιών Open Cloud Mesh (OCM)! Απλά προσθέστε το Federated Cloud ID στο πλαίσιο διαλόγου διαμοιρασμού. Θα μοιάζει με person@cloud.example.com", @@ -33,6 +33,7 @@ "Add remote share" : "Προσθήκη απομακρυσμένου κοινόχρηστου φακέλου", "Remote share" : "Απομακρυσμένος κοινόχρηστος φάκελος", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Θέλετε να προσθέσουμε τον απομακρυσμένο κοινόχρηστο φάκελο {name} από {owner}@{remote}?", - "Remote share password" : "Συνθηματικό απομακρυσμένου κοινόχρηστου φακέλου" + "Remote share password" : "Συνθηματικό απομακρυσμένου κοινόχρηστου φακέλου", + "Copy to clipboard" : "Αντιγραφή στο πρόχειρο" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/en_GB.js b/apps/federatedfilesharing/l10n/en_GB.js index b1b7d38fa3c..37fd934c619 100644 --- a/apps/federatedfilesharing/l10n/en_GB.js +++ b/apps/federatedfilesharing/l10n/en_GB.js @@ -47,8 +47,8 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Share with me through my #Nextcloud Federated Cloud ID, see {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Share with me through my #Nextcloud Federated Cloud ID", "Share with me via Nextcloud" : "Share with me via Nextcloud", - "Cloud ID copied to the clipboard" : "Cloud ID copied to the clipboard", - "Copy to clipboard" : "Copy to clipboard", + "Cloud ID copied" : "Cloud ID copied", + "Copy" : "Copy", "Clipboard not available. Please copy the cloud ID manually." : "Clipboard not available. Please copy the cloud ID manually.", "Copied!" : "Copied!", "Federated Cloud" : "Federated Cloud", @@ -67,6 +67,8 @@ OC.L10N.register( "Remote share" : "Remote share", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Do you want to add the remote share {name} from {owner}@{remote}?", "Remote share password" : "Remote share password", - "Incoming share could not be processed" : "Incoming share could not be processed" + "Incoming share could not be processed" : "Incoming share could not be processed", + "Cloud ID copied to the clipboard" : "Cloud ID copied to the clipboard", + "Copy to clipboard" : "Copy to clipboard" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/en_GB.json b/apps/federatedfilesharing/l10n/en_GB.json index 6e8dd73225b..8da84456650 100644 --- a/apps/federatedfilesharing/l10n/en_GB.json +++ b/apps/federatedfilesharing/l10n/en_GB.json @@ -45,8 +45,8 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Share with me through my #Nextcloud Federated Cloud ID, see {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Share with me through my #Nextcloud Federated Cloud ID", "Share with me via Nextcloud" : "Share with me via Nextcloud", - "Cloud ID copied to the clipboard" : "Cloud ID copied to the clipboard", - "Copy to clipboard" : "Copy to clipboard", + "Cloud ID copied" : "Cloud ID copied", + "Copy" : "Copy", "Clipboard not available. Please copy the cloud ID manually." : "Clipboard not available. Please copy the cloud ID manually.", "Copied!" : "Copied!", "Federated Cloud" : "Federated Cloud", @@ -65,6 +65,8 @@ "Remote share" : "Remote share", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Do you want to add the remote share {name} from {owner}@{remote}?", "Remote share password" : "Remote share password", - "Incoming share could not be processed" : "Incoming share could not be processed" + "Incoming share could not be processed" : "Incoming share could not be processed", + "Cloud ID copied to the clipboard" : "Cloud ID copied to the clipboard", + "Copy to clipboard" : "Copy to clipboard" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/es.js b/apps/federatedfilesharing/l10n/es.js index de61a4c7d8a..4fae04b87fd 100644 --- a/apps/federatedfilesharing/l10n/es.js +++ b/apps/federatedfilesharing/l10n/es.js @@ -47,8 +47,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Comparte conmigo a través de mi ID de Nube Federada #Nextcloud, ve {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Compartirlo conmigo a través de mi ID de Nube Federada #Nextcloud", "Share with me via Nextcloud" : "Compartirlo conmigo vía Nextcloud", - "Cloud ID copied to the clipboard" : "ID de nube copiado al portapapeles", - "Copy to clipboard" : "Copiar al portapapeles", + "Copy" : "Copiar", "Clipboard not available. Please copy the cloud ID manually." : "Portapapeles no disponible. Por favor, copia el ID de nube manualmente.", "Copied!" : "¡Copiado!", "Federated Cloud" : "Nube Federada", @@ -59,6 +58,7 @@ OC.L10N.register( "X (formerly Twitter)" : "X (anteriormente Twitter)", "formerly Twitter" : "anteriormente Twitter", "Mastodon" : "Mastodon", + "Bluesky" : "Bluesky", "Add to your website" : "Añadir a su sitio web", "HTML Code:" : "Código HTML:", "Cancel" : "Cancelar", @@ -66,6 +66,8 @@ OC.L10N.register( "Remote share" : "Recurso compartido remoto", "Do you want to add the remote share {name} from {owner}@{remote}?" : "¿Deseas añadir el recurso compartido remoto {name} de {owner}@{remote}?", "Remote share password" : "Contraseña del compartido remoto", - "Incoming share could not be processed" : "Elemento compartido entrante no pudo ser procesado" + "Incoming share could not be processed" : "Elemento compartido entrante no pudo ser procesado", + "Cloud ID copied to the clipboard" : "ID de nube copiado al portapapeles", + "Copy to clipboard" : "Copiar al portapapeles" }, "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/federatedfilesharing/l10n/es.json b/apps/federatedfilesharing/l10n/es.json index c0da93b40be..30e7ea50167 100644 --- a/apps/federatedfilesharing/l10n/es.json +++ b/apps/federatedfilesharing/l10n/es.json @@ -45,8 +45,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Comparte conmigo a través de mi ID de Nube Federada #Nextcloud, ve {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Compartirlo conmigo a través de mi ID de Nube Federada #Nextcloud", "Share with me via Nextcloud" : "Compartirlo conmigo vía Nextcloud", - "Cloud ID copied to the clipboard" : "ID de nube copiado al portapapeles", - "Copy to clipboard" : "Copiar al portapapeles", + "Copy" : "Copiar", "Clipboard not available. Please copy the cloud ID manually." : "Portapapeles no disponible. Por favor, copia el ID de nube manualmente.", "Copied!" : "¡Copiado!", "Federated Cloud" : "Nube Federada", @@ -57,6 +56,7 @@ "X (formerly Twitter)" : "X (anteriormente Twitter)", "formerly Twitter" : "anteriormente Twitter", "Mastodon" : "Mastodon", + "Bluesky" : "Bluesky", "Add to your website" : "Añadir a su sitio web", "HTML Code:" : "Código HTML:", "Cancel" : "Cancelar", @@ -64,6 +64,8 @@ "Remote share" : "Recurso compartido remoto", "Do you want to add the remote share {name} from {owner}@{remote}?" : "¿Deseas añadir el recurso compartido remoto {name} de {owner}@{remote}?", "Remote share password" : "Contraseña del compartido remoto", - "Incoming share could not be processed" : "Elemento compartido entrante no pudo ser procesado" + "Incoming share could not be processed" : "Elemento compartido entrante no pudo ser procesado", + "Cloud ID copied to the clipboard" : "ID de nube copiado al portapapeles", + "Copy to clipboard" : "Copiar al portapapeles" },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/es_EC.js b/apps/federatedfilesharing/l10n/es_EC.js index 6c8566768ac..32cba276cfc 100644 --- a/apps/federatedfilesharing/l10n/es_EC.js +++ b/apps/federatedfilesharing/l10n/es_EC.js @@ -25,8 +25,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Comparte conmigo a través de mi ID de Nube Federada de #Nextcloud, consulta {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Compartir conmigo a través de mi ID de Nube Federada #Nextcloud", "Share with me via Nextcloud" : "Compartir conmigo vía Nextcloud", - "Cloud ID copied to the clipboard" : "ID de Nube copiado al portapapeles", - "Copy to clipboard" : "Copiar al portapapeles", + "Copy" : "Copiar", "Copied!" : "¡Copiado!", "Federated Cloud" : "Nube Federada", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "¡Puedes compartir con cualquier persona que utilice un servidor Nextcloud u otros servidores y servicios compatibles con Open Cloud Mesh (OCM)! Simplemente ingresa su ID de Nube Federada en el diálogo de compartición. Se ve como person@cloud.example.com", @@ -39,6 +38,8 @@ OC.L10N.register( "Add remote share" : "Agregar elemento compartido remoto", "Remote share" : "Elemento compartido remoto", "Do you want to add the remote share {name} from {owner}@{remote}?" : "¿Desea agregar el elemento compartido remoto {name} de {owner}@{remote}?", - "Remote share password" : "Contraseña del elemento compartido remoto" + "Remote share password" : "Contraseña del elemento compartido remoto", + "Cloud ID copied to the clipboard" : "ID de Nube copiado al portapapeles", + "Copy to clipboard" : "Copiar al portapapeles" }, "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/federatedfilesharing/l10n/es_EC.json b/apps/federatedfilesharing/l10n/es_EC.json index 299e0f19769..a4be0ee93bf 100644 --- a/apps/federatedfilesharing/l10n/es_EC.json +++ b/apps/federatedfilesharing/l10n/es_EC.json @@ -23,8 +23,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Comparte conmigo a través de mi ID de Nube Federada de #Nextcloud, consulta {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Compartir conmigo a través de mi ID de Nube Federada #Nextcloud", "Share with me via Nextcloud" : "Compartir conmigo vía Nextcloud", - "Cloud ID copied to the clipboard" : "ID de Nube copiado al portapapeles", - "Copy to clipboard" : "Copiar al portapapeles", + "Copy" : "Copiar", "Copied!" : "¡Copiado!", "Federated Cloud" : "Nube Federada", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "¡Puedes compartir con cualquier persona que utilice un servidor Nextcloud u otros servidores y servicios compatibles con Open Cloud Mesh (OCM)! Simplemente ingresa su ID de Nube Federada en el diálogo de compartición. Se ve como person@cloud.example.com", @@ -37,6 +36,8 @@ "Add remote share" : "Agregar elemento compartido remoto", "Remote share" : "Elemento compartido remoto", "Do you want to add the remote share {name} from {owner}@{remote}?" : "¿Desea agregar el elemento compartido remoto {name} de {owner}@{remote}?", - "Remote share password" : "Contraseña del elemento compartido remoto" + "Remote share password" : "Contraseña del elemento compartido remoto", + "Cloud ID copied to the clipboard" : "ID de Nube copiado al portapapeles", + "Copy to clipboard" : "Copiar al portapapeles" },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/es_MX.js b/apps/federatedfilesharing/l10n/es_MX.js index 60f2244edee..5629ef2f321 100644 --- a/apps/federatedfilesharing/l10n/es_MX.js +++ b/apps/federatedfilesharing/l10n/es_MX.js @@ -34,8 +34,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Comparte conmigo a través de mi identificador de nube federada de #Nextcloud, vea {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Compartir conmigo a través de mi ID de Nube Federada #Nextcloud", "Share with me via Nextcloud" : "Compartir conmigo vía Nextcloud", - "Cloud ID copied to the clipboard" : "Identificador de nube copiado al portapapeles", - "Copy to clipboard" : "Copiar al portapapeles", + "Copy" : "Copiar", "Copied!" : "¡Copiado!", "Federated Cloud" : "Nube Federada", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "¡Puede compartir con cualquier persona que use un servidor Nextcloud u otros servidores y servicios compatibles con Open Cloud Mesh (OCM)!. Sólo ponga el identificador de nube federada en el diálogo de compartir. Tiene la forma: persona@nube.ejemplo.com", @@ -48,6 +47,8 @@ OC.L10N.register( "Add remote share" : "Agregar elemento compartido remoto", "Remote share" : "Elemento compartido remoto", "Do you want to add the remote share {name} from {owner}@{remote}?" : "¿Desea agregar el elemento compartido remoto {name} de {owner}@{remote}?", - "Remote share password" : "Contraseña del elemento compartido remoto" + "Remote share password" : "Contraseña del elemento compartido remoto", + "Cloud ID copied to the clipboard" : "Identificador de nube copiado al portapapeles", + "Copy to clipboard" : "Copiar al portapapeles" }, "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/federatedfilesharing/l10n/es_MX.json b/apps/federatedfilesharing/l10n/es_MX.json index 69e1738d681..f05069ca517 100644 --- a/apps/federatedfilesharing/l10n/es_MX.json +++ b/apps/federatedfilesharing/l10n/es_MX.json @@ -32,8 +32,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Comparte conmigo a través de mi identificador de nube federada de #Nextcloud, vea {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Compartir conmigo a través de mi ID de Nube Federada #Nextcloud", "Share with me via Nextcloud" : "Compartir conmigo vía Nextcloud", - "Cloud ID copied to the clipboard" : "Identificador de nube copiado al portapapeles", - "Copy to clipboard" : "Copiar al portapapeles", + "Copy" : "Copiar", "Copied!" : "¡Copiado!", "Federated Cloud" : "Nube Federada", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "¡Puede compartir con cualquier persona que use un servidor Nextcloud u otros servidores y servicios compatibles con Open Cloud Mesh (OCM)!. Sólo ponga el identificador de nube federada en el diálogo de compartir. Tiene la forma: persona@nube.ejemplo.com", @@ -46,6 +45,8 @@ "Add remote share" : "Agregar elemento compartido remoto", "Remote share" : "Elemento compartido remoto", "Do you want to add the remote share {name} from {owner}@{remote}?" : "¿Desea agregar el elemento compartido remoto {name} de {owner}@{remote}?", - "Remote share password" : "Contraseña del elemento compartido remoto" + "Remote share password" : "Contraseña del elemento compartido remoto", + "Cloud ID copied to the clipboard" : "Identificador de nube copiado al portapapeles", + "Copy to clipboard" : "Copiar al portapapeles" },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/et_EE.js b/apps/federatedfilesharing/l10n/et_EE.js index b18f41dd4ef..94c94883471 100644 --- a/apps/federatedfilesharing/l10n/et_EE.js +++ b/apps/federatedfilesharing/l10n/et_EE.js @@ -47,8 +47,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Jaga minuga minu #Nextcloudi kasutajatunnuse abil liitpilves, vaata {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Jaga minuga minu #Nextcloudi kasutajatunnuse abil liitpilves", "Share with me via Nextcloud" : "Jaga minuga Nextcloudi vahendusel", - "Cloud ID copied to the clipboard" : "Kasutajatunnus liitpilves on kopeeritud lõikelauale", - "Copy to clipboard" : "Kopeeri lõikelauale", + "Copy" : "Kopeeri", "Clipboard not available. Please copy the cloud ID manually." : "Lõikelaud pole saadaval. Palun kopeeri kasutajatunnus liitpilves käsitsi.", "Copied!" : "Kopeeritud!", "Federated Cloud" : "Liitpilv", @@ -67,6 +66,8 @@ OC.L10N.register( "Remote share" : "Kaugjagamine", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Soovid lisada kaugjagamise {name} asukohast {owner}@{remote}?", "Remote share password" : "Kaugjagamise salasõna", - "Incoming share could not be processed" : "Sissetulevat kausta ei saanud töödelda" + "Incoming share could not be processed" : "Sissetulevat kausta ei saanud töödelda", + "Cloud ID copied to the clipboard" : "Kasutajatunnus liitpilves on kopeeritud lõikelauale", + "Copy to clipboard" : "Kopeeri lõikelauale" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/et_EE.json b/apps/federatedfilesharing/l10n/et_EE.json index 08011faec4b..fd5a3324424 100644 --- a/apps/federatedfilesharing/l10n/et_EE.json +++ b/apps/federatedfilesharing/l10n/et_EE.json @@ -45,8 +45,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Jaga minuga minu #Nextcloudi kasutajatunnuse abil liitpilves, vaata {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Jaga minuga minu #Nextcloudi kasutajatunnuse abil liitpilves", "Share with me via Nextcloud" : "Jaga minuga Nextcloudi vahendusel", - "Cloud ID copied to the clipboard" : "Kasutajatunnus liitpilves on kopeeritud lõikelauale", - "Copy to clipboard" : "Kopeeri lõikelauale", + "Copy" : "Kopeeri", "Clipboard not available. Please copy the cloud ID manually." : "Lõikelaud pole saadaval. Palun kopeeri kasutajatunnus liitpilves käsitsi.", "Copied!" : "Kopeeritud!", "Federated Cloud" : "Liitpilv", @@ -65,6 +64,8 @@ "Remote share" : "Kaugjagamine", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Soovid lisada kaugjagamise {name} asukohast {owner}@{remote}?", "Remote share password" : "Kaugjagamise salasõna", - "Incoming share could not be processed" : "Sissetulevat kausta ei saanud töödelda" + "Incoming share could not be processed" : "Sissetulevat kausta ei saanud töödelda", + "Cloud ID copied to the clipboard" : "Kasutajatunnus liitpilves on kopeeritud lõikelauale", + "Copy to clipboard" : "Kopeeri lõikelauale" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/eu.js b/apps/federatedfilesharing/l10n/eu.js index 8ce0103dc55..957f9991f1c 100644 --- a/apps/federatedfilesharing/l10n/eu.js +++ b/apps/federatedfilesharing/l10n/eu.js @@ -36,8 +36,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Partekatu nirekin, nire federatutako #Nextcloud hodei IDa erabiliz, ikus {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Partekatu nirekin, nire federatutako #Nextcloud hodei IDa erabiliz", "Share with me via Nextcloud" : "Partekatu nirekin Nextcloud bidez", - "Cloud ID copied to the clipboard" : "Hodei IDa arbelean kopiatu da", - "Copy to clipboard" : "Kopiatu arbelera", + "Copy" : "Kopiatu", "Clipboard not available. Please copy the cloud ID manually." : "Arbela ez dago eskuragarri, mesedez kopiatu hodei IDa eskuz.", "Copied!" : "Kopiatuta!", "Federated Cloud" : "Hodei Federatua", @@ -55,6 +54,8 @@ OC.L10N.register( "Remote share" : "Urruneko partekatzea", "Do you want to add the remote share {name} from {owner}@{remote}?" : "{owner}@{remote}(r)en {name} urruneko partekatzea gehitu nahi duzu?", "Remote share password" : "Urruneko partekatzearen pasahitza", - "Incoming share could not be processed" : "Sarrerako partekatzea ezin izan da prozesatu" + "Incoming share could not be processed" : "Sarrerako partekatzea ezin izan da prozesatu", + "Cloud ID copied to the clipboard" : "Hodei IDa arbelean kopiatu da", + "Copy to clipboard" : "Kopiatu arbelera" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/eu.json b/apps/federatedfilesharing/l10n/eu.json index f6fde77b018..be8c6ac2fa8 100644 --- a/apps/federatedfilesharing/l10n/eu.json +++ b/apps/federatedfilesharing/l10n/eu.json @@ -34,8 +34,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Partekatu nirekin, nire federatutako #Nextcloud hodei IDa erabiliz, ikus {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Partekatu nirekin, nire federatutako #Nextcloud hodei IDa erabiliz", "Share with me via Nextcloud" : "Partekatu nirekin Nextcloud bidez", - "Cloud ID copied to the clipboard" : "Hodei IDa arbelean kopiatu da", - "Copy to clipboard" : "Kopiatu arbelera", + "Copy" : "Kopiatu", "Clipboard not available. Please copy the cloud ID manually." : "Arbela ez dago eskuragarri, mesedez kopiatu hodei IDa eskuz.", "Copied!" : "Kopiatuta!", "Federated Cloud" : "Hodei Federatua", @@ -53,6 +52,8 @@ "Remote share" : "Urruneko partekatzea", "Do you want to add the remote share {name} from {owner}@{remote}?" : "{owner}@{remote}(r)en {name} urruneko partekatzea gehitu nahi duzu?", "Remote share password" : "Urruneko partekatzearen pasahitza", - "Incoming share could not be processed" : "Sarrerako partekatzea ezin izan da prozesatu" + "Incoming share could not be processed" : "Sarrerako partekatzea ezin izan da prozesatu", + "Cloud ID copied to the clipboard" : "Hodei IDa arbelean kopiatu da", + "Copy to clipboard" : "Kopiatu arbelera" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/fa.js b/apps/federatedfilesharing/l10n/fa.js index 6e4ca060ec2..f0f3f3533c5 100644 --- a/apps/federatedfilesharing/l10n/fa.js +++ b/apps/federatedfilesharing/l10n/fa.js @@ -26,8 +26,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "از طریق شناسه ابری فدرال #Nextcloud با من به اشتراک بگذارید، به {url} مراجعه کنید", "Share with me through my #Nextcloud Federated Cloud ID" : "از طریق شناسه ابری فدرال #Nextcloud با من به اشتراک بگذارید", "Share with me via Nextcloud" : "همرسانی با من روی نسکتکلود", - "Cloud ID copied to the clipboard" : "Cloud ID در کلیپ بورد کپی شد", - "Copy to clipboard" : "رونوشت به تختهگیره", + "Copy" : "کپی", "Copied!" : "رونوشت شد!", "Federated Cloud" : "ابر خودگردان", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "میتوانید با هر کسی که از سرور Nextcloud یا سایر سرورها و سرویسهای سازگار با Open Cloud Mesh (OCM) استفاده میکند، اشتراکگذاری کنید! فقط شناسه ابری فدرال آنها را در گفتگوی اشتراک گذاری قرار دهید. به نظر می رسد person@cloud.example.com", @@ -40,6 +39,8 @@ OC.L10N.register( "Add remote share" : "افزودن همرسانی دوردست", "Remote share" : "همرسانی دوردست", "Do you want to add the remote share {name} from {owner}@{remote}?" : "میخواهید همرسانی دوردست {name} را از {owner}@{remote} بیفزایید؟", - "Remote share password" : "گذرواژهٔ همرسانی دوردست" + "Remote share password" : "گذرواژهٔ همرسانی دوردست", + "Cloud ID copied to the clipboard" : "Cloud ID در کلیپ بورد کپی شد", + "Copy to clipboard" : "رونوشت به تختهگیره" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/federatedfilesharing/l10n/fa.json b/apps/federatedfilesharing/l10n/fa.json index 4abd8b7434f..acde666cb14 100644 --- a/apps/federatedfilesharing/l10n/fa.json +++ b/apps/federatedfilesharing/l10n/fa.json @@ -24,8 +24,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "از طریق شناسه ابری فدرال #Nextcloud با من به اشتراک بگذارید، به {url} مراجعه کنید", "Share with me through my #Nextcloud Federated Cloud ID" : "از طریق شناسه ابری فدرال #Nextcloud با من به اشتراک بگذارید", "Share with me via Nextcloud" : "همرسانی با من روی نسکتکلود", - "Cloud ID copied to the clipboard" : "Cloud ID در کلیپ بورد کپی شد", - "Copy to clipboard" : "رونوشت به تختهگیره", + "Copy" : "کپی", "Copied!" : "رونوشت شد!", "Federated Cloud" : "ابر خودگردان", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "میتوانید با هر کسی که از سرور Nextcloud یا سایر سرورها و سرویسهای سازگار با Open Cloud Mesh (OCM) استفاده میکند، اشتراکگذاری کنید! فقط شناسه ابری فدرال آنها را در گفتگوی اشتراک گذاری قرار دهید. به نظر می رسد person@cloud.example.com", @@ -38,6 +37,8 @@ "Add remote share" : "افزودن همرسانی دوردست", "Remote share" : "همرسانی دوردست", "Do you want to add the remote share {name} from {owner}@{remote}?" : "میخواهید همرسانی دوردست {name} را از {owner}@{remote} بیفزایید؟", - "Remote share password" : "گذرواژهٔ همرسانی دوردست" + "Remote share password" : "گذرواژهٔ همرسانی دوردست", + "Cloud ID copied to the clipboard" : "Cloud ID در کلیپ بورد کپی شد", + "Copy to clipboard" : "رونوشت به تختهگیره" },"pluralForm" :"nplurals=2; plural=(n > 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/fi.js b/apps/federatedfilesharing/l10n/fi.js index 8ca92e78e08..ffdf10432d5 100644 --- a/apps/federatedfilesharing/l10n/fi.js +++ b/apps/federatedfilesharing/l10n/fi.js @@ -22,7 +22,7 @@ OC.L10N.register( "Provide federated file sharing across servers" : "Mahdollistaa federoidun tiedostojaon palvelinten välillä", "Share with me through my #Nextcloud Federated Cloud ID" : "Jaa kanssani käyttäen #Nextcloud ja federoitua pilvitunnistetta", "Share with me via Nextcloud" : "Jaa kanssani Nextcloudin kautta", - "Copy to clipboard" : "Kopioi leikepöydälle", + "Copy" : "Kopioi", "Copied!" : "Kopioitu!", "Federated Cloud" : "Federoitu pilvi", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Voit jakaa kenelle tahansa, joka käyttää Nextcloud-palvelinta tai muuta Open Cloud Mesh (OCM) -yhteensopivaa palvelinta tai palvelua! Kirjoita heidän federoidun pilven tunniste jaon kohteeksi. Se on muodossa henkilö@cloud.example.com", @@ -36,6 +36,7 @@ OC.L10N.register( "Add remote share" : "Lisää etäjako", "Remote share" : "Etäjako", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Haluatko lisätä etäjaon {name} kohteesta {owner}@{remote}?", - "Remote share password" : "Etäjaon salasana" + "Remote share password" : "Etäjaon salasana", + "Copy to clipboard" : "Kopioi leikepöydälle" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/fi.json b/apps/federatedfilesharing/l10n/fi.json index c0fc0feae4e..06a1a3395f8 100644 --- a/apps/federatedfilesharing/l10n/fi.json +++ b/apps/federatedfilesharing/l10n/fi.json @@ -20,7 +20,7 @@ "Provide federated file sharing across servers" : "Mahdollistaa federoidun tiedostojaon palvelinten välillä", "Share with me through my #Nextcloud Federated Cloud ID" : "Jaa kanssani käyttäen #Nextcloud ja federoitua pilvitunnistetta", "Share with me via Nextcloud" : "Jaa kanssani Nextcloudin kautta", - "Copy to clipboard" : "Kopioi leikepöydälle", + "Copy" : "Kopioi", "Copied!" : "Kopioitu!", "Federated Cloud" : "Federoitu pilvi", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Voit jakaa kenelle tahansa, joka käyttää Nextcloud-palvelinta tai muuta Open Cloud Mesh (OCM) -yhteensopivaa palvelinta tai palvelua! Kirjoita heidän federoidun pilven tunniste jaon kohteeksi. Se on muodossa henkilö@cloud.example.com", @@ -34,6 +34,7 @@ "Add remote share" : "Lisää etäjako", "Remote share" : "Etäjako", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Haluatko lisätä etäjaon {name} kohteesta {owner}@{remote}?", - "Remote share password" : "Etäjaon salasana" + "Remote share password" : "Etäjaon salasana", + "Copy to clipboard" : "Kopioi leikepöydälle" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/fr.js b/apps/federatedfilesharing/l10n/fr.js index 0fb352c86fa..a29792ffe08 100644 --- a/apps/federatedfilesharing/l10n/fr.js +++ b/apps/federatedfilesharing/l10n/fr.js @@ -47,8 +47,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Partagez avec moi grâce à mon ID de Cloud Fédéré #Nextcloud, voir {url}.", "Share with me through my #Nextcloud Federated Cloud ID" : "Partagez avec moi grâce à mon ID de Cloud Fédéré #Nextcloud", "Share with me via Nextcloud" : "Partagez avec moi via Nextcloud", - "Cloud ID copied to the clipboard" : "ID de Cloud Fédéré copié dans le presse-papiers", - "Copy to clipboard" : "Copier dans le presse-papiers", + "Copy" : "Copier", "Clipboard not available. Please copy the cloud ID manually." : "Presse-papiers non disponible. Veuillez copier l'ID cloud manuellement.", "Copied!" : "Copié !", "Federated Cloud" : "Cloud Fédéré", @@ -66,6 +65,8 @@ OC.L10N.register( "Remote share" : "Partage distant", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Voulez-vous ajouter le partage distant {name} depuis {owner}@{remote} ?", "Remote share password" : "Mot de passe du partage distant", - "Incoming share could not be processed" : "Le partage entrant n'a pas pu être traité" + "Incoming share could not be processed" : "Le partage entrant n'a pas pu être traité", + "Cloud ID copied to the clipboard" : "ID de Cloud Fédéré copié dans le presse-papiers", + "Copy to clipboard" : "Copier dans le presse-papiers" }, "nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/federatedfilesharing/l10n/fr.json b/apps/federatedfilesharing/l10n/fr.json index 6887f56b8f7..a0ea7cd7430 100644 --- a/apps/federatedfilesharing/l10n/fr.json +++ b/apps/federatedfilesharing/l10n/fr.json @@ -45,8 +45,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Partagez avec moi grâce à mon ID de Cloud Fédéré #Nextcloud, voir {url}.", "Share with me through my #Nextcloud Federated Cloud ID" : "Partagez avec moi grâce à mon ID de Cloud Fédéré #Nextcloud", "Share with me via Nextcloud" : "Partagez avec moi via Nextcloud", - "Cloud ID copied to the clipboard" : "ID de Cloud Fédéré copié dans le presse-papiers", - "Copy to clipboard" : "Copier dans le presse-papiers", + "Copy" : "Copier", "Clipboard not available. Please copy the cloud ID manually." : "Presse-papiers non disponible. Veuillez copier l'ID cloud manuellement.", "Copied!" : "Copié !", "Federated Cloud" : "Cloud Fédéré", @@ -64,6 +63,8 @@ "Remote share" : "Partage distant", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Voulez-vous ajouter le partage distant {name} depuis {owner}@{remote} ?", "Remote share password" : "Mot de passe du partage distant", - "Incoming share could not be processed" : "Le partage entrant n'a pas pu être traité" + "Incoming share could not be processed" : "Le partage entrant n'a pas pu être traité", + "Cloud ID copied to the clipboard" : "ID de Cloud Fédéré copié dans le presse-papiers", + "Copy to clipboard" : "Copier dans le presse-papiers" },"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/federatedfilesharing/l10n/ga.js b/apps/federatedfilesharing/l10n/ga.js index 37a59753eb5..0d1ebcab9bb 100644 --- a/apps/federatedfilesharing/l10n/ga.js +++ b/apps/federatedfilesharing/l10n/ga.js @@ -47,8 +47,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Roinn liom trí m'aitheantas scamall #Nextcloud Federated Cloud, féach {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Roinn liom trí m'aitheantas scamall #Nextcloud Federated Cloud", "Share with me via Nextcloud" : "Roinn liom trí Nextcloud", - "Cloud ID copied to the clipboard" : "Cóipeáladh Cloud ID chuig an ngearrthaisce", - "Copy to clipboard" : "Cóipeáil chuig an ngearrthaisce", + "Copy" : "Cóipeáil", "Clipboard not available. Please copy the cloud ID manually." : "Níl an gearrthaisce ar fáil. Cóipeáil an t-aitheantas néil de láimh.", "Copied!" : "Cóipeáladh!", "Federated Cloud" : "Scamall Cónaidhme", @@ -67,6 +66,8 @@ OC.L10N.register( "Remote share" : "Comhroinnt iargúlta", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Ar mhaith leat an sciar cianda {name} ó {owner}@{remote} a chur leis?", "Remote share password" : "Pasfhocal comhroinnte cianda", - "Incoming share could not be processed" : "Níorbh fhéidir an sciar isteach a phróiseáil" + "Incoming share could not be processed" : "Níorbh fhéidir an sciar isteach a phróiseáil", + "Cloud ID copied to the clipboard" : "Cóipeáladh Cloud ID chuig an ngearrthaisce", + "Copy to clipboard" : "Cóipeáil chuig an ngearrthaisce" }, "nplurals=5; plural=(n==1 ? 0 : n==2 ? 1 : n<7 ? 2 : n<11 ? 3 : 4);"); diff --git a/apps/federatedfilesharing/l10n/ga.json b/apps/federatedfilesharing/l10n/ga.json index 57a55dbd8a3..e123dc286bc 100644 --- a/apps/federatedfilesharing/l10n/ga.json +++ b/apps/federatedfilesharing/l10n/ga.json @@ -45,8 +45,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Roinn liom trí m'aitheantas scamall #Nextcloud Federated Cloud, féach {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Roinn liom trí m'aitheantas scamall #Nextcloud Federated Cloud", "Share with me via Nextcloud" : "Roinn liom trí Nextcloud", - "Cloud ID copied to the clipboard" : "Cóipeáladh Cloud ID chuig an ngearrthaisce", - "Copy to clipboard" : "Cóipeáil chuig an ngearrthaisce", + "Copy" : "Cóipeáil", "Clipboard not available. Please copy the cloud ID manually." : "Níl an gearrthaisce ar fáil. Cóipeáil an t-aitheantas néil de láimh.", "Copied!" : "Cóipeáladh!", "Federated Cloud" : "Scamall Cónaidhme", @@ -65,6 +64,8 @@ "Remote share" : "Comhroinnt iargúlta", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Ar mhaith leat an sciar cianda {name} ó {owner}@{remote} a chur leis?", "Remote share password" : "Pasfhocal comhroinnte cianda", - "Incoming share could not be processed" : "Níorbh fhéidir an sciar isteach a phróiseáil" + "Incoming share could not be processed" : "Níorbh fhéidir an sciar isteach a phróiseáil", + "Cloud ID copied to the clipboard" : "Cóipeáladh Cloud ID chuig an ngearrthaisce", + "Copy to clipboard" : "Cóipeáil chuig an ngearrthaisce" },"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/federatedfilesharing/l10n/gl.js b/apps/federatedfilesharing/l10n/gl.js index 2a90ec1ebd7..86e257dd82e 100644 --- a/apps/federatedfilesharing/l10n/gl.js +++ b/apps/federatedfilesharing/l10n/gl.js @@ -36,8 +36,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Comparta comigo a través do meu ID de nube federada de #Nextcloud, vexa {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Comparta comigo a través do meu ID de nube federada de #Nextcloud", "Share with me via Nextcloud" : "Comparte comigo a través de Nextcloud", - "Cloud ID copied to the clipboard" : "O identificador de nube (Cloud ID) (foi copiado no portapapeis", - "Copy to clipboard" : "Copiar no portapapeis.", + "Copy" : "Copiar", "Clipboard not available. Please copy the cloud ID manually." : "O portapapeis non está dispoñíbel. Copie o ID da nube manualmente.", "Copied!" : "Copiado!", "Federated Cloud" : "Nube federada", @@ -55,6 +54,8 @@ OC.L10N.register( "Remote share" : "Compartición remota", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Quere engadir a compartición remota {name} de {owner}@{remote}?", "Remote share password" : "Contrasinal da compartición remota", - "Incoming share could not be processed" : "Non foi posíbel procesar a compartición entrante" + "Incoming share could not be processed" : "Non foi posíbel procesar a compartición entrante", + "Cloud ID copied to the clipboard" : "O identificador de nube (Cloud ID) (foi copiado no portapapeis", + "Copy to clipboard" : "Copiar no portapapeis." }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/gl.json b/apps/federatedfilesharing/l10n/gl.json index 0137717b039..34899b6fe84 100644 --- a/apps/federatedfilesharing/l10n/gl.json +++ b/apps/federatedfilesharing/l10n/gl.json @@ -34,8 +34,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Comparta comigo a través do meu ID de nube federada de #Nextcloud, vexa {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Comparta comigo a través do meu ID de nube federada de #Nextcloud", "Share with me via Nextcloud" : "Comparte comigo a través de Nextcloud", - "Cloud ID copied to the clipboard" : "O identificador de nube (Cloud ID) (foi copiado no portapapeis", - "Copy to clipboard" : "Copiar no portapapeis.", + "Copy" : "Copiar", "Clipboard not available. Please copy the cloud ID manually." : "O portapapeis non está dispoñíbel. Copie o ID da nube manualmente.", "Copied!" : "Copiado!", "Federated Cloud" : "Nube federada", @@ -53,6 +52,8 @@ "Remote share" : "Compartición remota", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Quere engadir a compartición remota {name} de {owner}@{remote}?", "Remote share password" : "Contrasinal da compartición remota", - "Incoming share could not be processed" : "Non foi posíbel procesar a compartición entrante" + "Incoming share could not be processed" : "Non foi posíbel procesar a compartición entrante", + "Cloud ID copied to the clipboard" : "O identificador de nube (Cloud ID) (foi copiado no portapapeis", + "Copy to clipboard" : "Copiar no portapapeis." },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/hr.js b/apps/federatedfilesharing/l10n/hr.js index e24c53cdb9c..93dc4743177 100644 --- a/apps/federatedfilesharing/l10n/hr.js +++ b/apps/federatedfilesharing/l10n/hr.js @@ -23,7 +23,7 @@ OC.L10N.register( "Provide federated file sharing across servers" : "Omogućite udruženo dijeljenje datoteka između poslužitelja", "Share with me through my #Nextcloud Federated Cloud ID" : "Dijeli sa mnom putem mog #ID-ja udruženog oblaka Nextclouda", "Share with me via Nextcloud" : "Dijelite sa mnom putem Nextclouda", - "Copy to clipboard" : "Kopiraj u međuspremnik", + "Copy" : "Kopirajte", "Copied!" : "Kopirano!", "Federated Cloud" : "Udruženi oblak", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Možete dijeliti sa svima koji upotrebljavaju poslužitelj Nextcloud ili druge poslužitelje i usluge kompatibilne s Open Cloud Mesh (OCM)! Samo unesite njihov Federated Cloud ID u dijaloški okvir za dijeljenje. Primjerice: osoba@cloud.example.com", @@ -35,6 +35,7 @@ OC.L10N.register( "Add remote share" : "Dodaj udaljeno dijeljenje", "Remote share" : "Udaljeno dijeljenje", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Želite li dodati udaljeni udjel {name} od {owner} u {remote}?", - "Remote share password" : "Zaporka za udaljeno dijeljenje" + "Remote share password" : "Zaporka za udaljeno dijeljenje", + "Copy to clipboard" : "Kopiraj u međuspremnik" }, "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/federatedfilesharing/l10n/hr.json b/apps/federatedfilesharing/l10n/hr.json index fe44b18cdb0..87ed897f564 100644 --- a/apps/federatedfilesharing/l10n/hr.json +++ b/apps/federatedfilesharing/l10n/hr.json @@ -21,7 +21,7 @@ "Provide federated file sharing across servers" : "Omogućite udruženo dijeljenje datoteka između poslužitelja", "Share with me through my #Nextcloud Federated Cloud ID" : "Dijeli sa mnom putem mog #ID-ja udruženog oblaka Nextclouda", "Share with me via Nextcloud" : "Dijelite sa mnom putem Nextclouda", - "Copy to clipboard" : "Kopiraj u međuspremnik", + "Copy" : "Kopirajte", "Copied!" : "Kopirano!", "Federated Cloud" : "Udruženi oblak", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Možete dijeliti sa svima koji upotrebljavaju poslužitelj Nextcloud ili druge poslužitelje i usluge kompatibilne s Open Cloud Mesh (OCM)! Samo unesite njihov Federated Cloud ID u dijaloški okvir za dijeljenje. Primjerice: osoba@cloud.example.com", @@ -33,6 +33,7 @@ "Add remote share" : "Dodaj udaljeno dijeljenje", "Remote share" : "Udaljeno dijeljenje", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Želite li dodati udaljeni udjel {name} od {owner} u {remote}?", - "Remote share password" : "Zaporka za udaljeno dijeljenje" + "Remote share password" : "Zaporka za udaljeno dijeljenje", + "Copy to clipboard" : "Kopiraj u međuspremnik" },"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/federatedfilesharing/l10n/hu.js b/apps/federatedfilesharing/l10n/hu.js index abfad80404f..eeaf476324e 100644 --- a/apps/federatedfilesharing/l10n/hu.js +++ b/apps/federatedfilesharing/l10n/hu.js @@ -36,8 +36,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Ossza meg velem a #Nextcloud föderált felhőazonosítóm segítségével, lásd {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Ossza meg velem a #Nextcloud föderált felhőazonosítóm segítségével ", "Share with me via Nextcloud" : "Ossza meg velem a Nextcloudon keresztül", - "Cloud ID copied to the clipboard" : "Felhőazonosító a vágólapra másolva", - "Copy to clipboard" : "Másolás a vágólapra", + "Copy" : "Másolás", "Clipboard not available. Please copy the cloud ID manually." : "A vágólap nem érhető el. Másolja át a felhőazonosítót kézileg.", "Copied!" : "Másolva!", "Federated Cloud" : "Föderált felhő", @@ -55,6 +54,8 @@ OC.L10N.register( "Remote share" : "Távoli megosztás", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Hozzáadja a(z) {name} távoli megosztást innen: {owner}@{remote}?", "Remote share password" : "Jelszó a távoli megosztáshoz", - "Incoming share could not be processed" : "A bejövő megosztás nem dolgozható fel" + "Incoming share could not be processed" : "A bejövő megosztás nem dolgozható fel", + "Cloud ID copied to the clipboard" : "Felhőazonosító a vágólapra másolva", + "Copy to clipboard" : "Másolás a vágólapra" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/hu.json b/apps/federatedfilesharing/l10n/hu.json index 1f3544366ff..199d79ab308 100644 --- a/apps/federatedfilesharing/l10n/hu.json +++ b/apps/federatedfilesharing/l10n/hu.json @@ -34,8 +34,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Ossza meg velem a #Nextcloud föderált felhőazonosítóm segítségével, lásd {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Ossza meg velem a #Nextcloud föderált felhőazonosítóm segítségével ", "Share with me via Nextcloud" : "Ossza meg velem a Nextcloudon keresztül", - "Cloud ID copied to the clipboard" : "Felhőazonosító a vágólapra másolva", - "Copy to clipboard" : "Másolás a vágólapra", + "Copy" : "Másolás", "Clipboard not available. Please copy the cloud ID manually." : "A vágólap nem érhető el. Másolja át a felhőazonosítót kézileg.", "Copied!" : "Másolva!", "Federated Cloud" : "Föderált felhő", @@ -53,6 +52,8 @@ "Remote share" : "Távoli megosztás", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Hozzáadja a(z) {name} távoli megosztást innen: {owner}@{remote}?", "Remote share password" : "Jelszó a távoli megosztáshoz", - "Incoming share could not be processed" : "A bejövő megosztás nem dolgozható fel" + "Incoming share could not be processed" : "A bejövő megosztás nem dolgozható fel", + "Cloud ID copied to the clipboard" : "Felhőazonosító a vágólapra másolva", + "Copy to clipboard" : "Másolás a vágólapra" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/is.js b/apps/federatedfilesharing/l10n/is.js index bc5a1c2d034..b69f8e00b38 100644 --- a/apps/federatedfilesharing/l10n/is.js +++ b/apps/federatedfilesharing/l10n/is.js @@ -36,8 +36,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Deila með mér í gegnum víðværa skýjasambandsauðkennið mitt #Nextcloud Federated Cloud ID, sjá {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Deila með mér í gegnum víðværa skýjasambandsauðkennið mitt #Nextcloud Federated Cloud ID", "Share with me via Nextcloud" : "Deila með mér í gegnum Nextcloud", - "Cloud ID copied to the clipboard" : "Skýjasambandsauðkenni afritað á klippispjald", - "Copy to clipboard" : "Afrita á klippispjald", + "Copy" : "Afrita", "Clipboard not available. Please copy the cloud ID manually." : "Klippispjald er ekki tiltækt. Afritaðu skýjasambandsauðkennið handvirkt.", "Copied!" : "Afritað!", "Federated Cloud" : "Skýjasamband (federated)", @@ -55,6 +54,8 @@ OC.L10N.register( "Remote share" : "Fjartengd sameign", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Viltu bæta við fjartengdri sameign {name} frá {owner}@{remote}?", "Remote share password" : "Lykilorð fjartengdrar sameignar", - "Incoming share could not be processed" : "Ekki var hægt að vinna með innkomandi sameign" + "Incoming share could not be processed" : "Ekki var hægt að vinna með innkomandi sameign", + "Cloud ID copied to the clipboard" : "Skýjasambandsauðkenni afritað á klippispjald", + "Copy to clipboard" : "Afrita á klippispjald" }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/apps/federatedfilesharing/l10n/is.json b/apps/federatedfilesharing/l10n/is.json index a35a4711315..74b8a4cd203 100644 --- a/apps/federatedfilesharing/l10n/is.json +++ b/apps/federatedfilesharing/l10n/is.json @@ -34,8 +34,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Deila með mér í gegnum víðværa skýjasambandsauðkennið mitt #Nextcloud Federated Cloud ID, sjá {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Deila með mér í gegnum víðværa skýjasambandsauðkennið mitt #Nextcloud Federated Cloud ID", "Share with me via Nextcloud" : "Deila með mér í gegnum Nextcloud", - "Cloud ID copied to the clipboard" : "Skýjasambandsauðkenni afritað á klippispjald", - "Copy to clipboard" : "Afrita á klippispjald", + "Copy" : "Afrita", "Clipboard not available. Please copy the cloud ID manually." : "Klippispjald er ekki tiltækt. Afritaðu skýjasambandsauðkennið handvirkt.", "Copied!" : "Afritað!", "Federated Cloud" : "Skýjasamband (federated)", @@ -53,6 +52,8 @@ "Remote share" : "Fjartengd sameign", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Viltu bæta við fjartengdri sameign {name} frá {owner}@{remote}?", "Remote share password" : "Lykilorð fjartengdrar sameignar", - "Incoming share could not be processed" : "Ekki var hægt að vinna með innkomandi sameign" + "Incoming share could not be processed" : "Ekki var hægt að vinna með innkomandi sameign", + "Cloud ID copied to the clipboard" : "Skýjasambandsauðkenni afritað á klippispjald", + "Copy to clipboard" : "Afrita á klippispjald" },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/it.js b/apps/federatedfilesharing/l10n/it.js index 2b85dda0197..9ae5434a148 100644 --- a/apps/federatedfilesharing/l10n/it.js +++ b/apps/federatedfilesharing/l10n/it.js @@ -29,6 +29,8 @@ OC.L10N.register( "When enabled, the search input when creating shares will be sent to an external system that provides a public and global address book." : "Se abilitata, l'input di ricerca durante la creazione delle condivisioni verrà inviato a un sistema esterno che fornisce una rubrica pubblica e globale.", "This is used to retrieve the federated cloud ID to make federated sharing easier." : "Serve a recuperare l'ID cloud federato per semplificare la condivisione federata.", "Moreover, email addresses of users might be sent to that system in order to verify them." : "Inoltre, gli indirizzi email degli utenti potrebbero essere inviati a tale sistema per verificarli.", + "Disable querying" : "Disabilita le query", + "Enable querying" : "Abilita query", "Unable to update federated files sharing config" : "Impossibile aggiornare la configurazione della condivisione federata dei file", "Adjust how people can share between servers. This includes shares between people on this server as well if they are using federated sharing." : "Regola come le persone possono condividere tra i server. Ciò include anche le condivisioni tra persone in questo server se usano la condivisione federata.", "Allow people on this server to send shares to other servers (this option also allows WebDAV access to public shares)" : "Consenti alle persone su questo server di inviare condivisioni ad altri server (questa opzione consente anche l'accesso WebDAV alle condivisioni pubbliche)", @@ -42,8 +44,8 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Condividi con me attraverso il mio ID di cloud federato #Nextcloud, vedi {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Condividi con me attraverso il mio ID di cloud federata #Nextcloud", "Share with me via Nextcloud" : "Condividi con me tramite Nextcloud", - "Cloud ID copied to the clipboard" : "ID di cloud copiato negli appunti", - "Copy to clipboard" : "Copia negli appunti", + "Cloud ID copied" : "ID cloud copiato", + "Copy" : "Copia", "Clipboard not available. Please copy the cloud ID manually." : "Appunti non disponibili. Copia manualmente l'ID cloud.", "Copied!" : "Copiato!", "Federated Cloud" : "Cloud federata", @@ -61,6 +63,8 @@ OC.L10N.register( "Remote share" : "Condivisione remota", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Vuoi aggiungere la condivisione remota {name} da {owner}@{remote}?", "Remote share password" : "Password della condivisione remota", - "Incoming share could not be processed" : "Non è stato possibile elaborare la condivisione in entrata" + "Incoming share could not be processed" : "Non è stato possibile elaborare la condivisione in entrata", + "Cloud ID copied to the clipboard" : "ID di cloud copiato negli appunti", + "Copy to clipboard" : "Copia negli appunti" }, "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/federatedfilesharing/l10n/it.json b/apps/federatedfilesharing/l10n/it.json index 0bc9121ae05..bbd87e22be5 100644 --- a/apps/federatedfilesharing/l10n/it.json +++ b/apps/federatedfilesharing/l10n/it.json @@ -27,6 +27,8 @@ "When enabled, the search input when creating shares will be sent to an external system that provides a public and global address book." : "Se abilitata, l'input di ricerca durante la creazione delle condivisioni verrà inviato a un sistema esterno che fornisce una rubrica pubblica e globale.", "This is used to retrieve the federated cloud ID to make federated sharing easier." : "Serve a recuperare l'ID cloud federato per semplificare la condivisione federata.", "Moreover, email addresses of users might be sent to that system in order to verify them." : "Inoltre, gli indirizzi email degli utenti potrebbero essere inviati a tale sistema per verificarli.", + "Disable querying" : "Disabilita le query", + "Enable querying" : "Abilita query", "Unable to update federated files sharing config" : "Impossibile aggiornare la configurazione della condivisione federata dei file", "Adjust how people can share between servers. This includes shares between people on this server as well if they are using federated sharing." : "Regola come le persone possono condividere tra i server. Ciò include anche le condivisioni tra persone in questo server se usano la condivisione federata.", "Allow people on this server to send shares to other servers (this option also allows WebDAV access to public shares)" : "Consenti alle persone su questo server di inviare condivisioni ad altri server (questa opzione consente anche l'accesso WebDAV alle condivisioni pubbliche)", @@ -40,8 +42,8 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Condividi con me attraverso il mio ID di cloud federato #Nextcloud, vedi {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Condividi con me attraverso il mio ID di cloud federata #Nextcloud", "Share with me via Nextcloud" : "Condividi con me tramite Nextcloud", - "Cloud ID copied to the clipboard" : "ID di cloud copiato negli appunti", - "Copy to clipboard" : "Copia negli appunti", + "Cloud ID copied" : "ID cloud copiato", + "Copy" : "Copia", "Clipboard not available. Please copy the cloud ID manually." : "Appunti non disponibili. Copia manualmente l'ID cloud.", "Copied!" : "Copiato!", "Federated Cloud" : "Cloud federata", @@ -59,6 +61,8 @@ "Remote share" : "Condivisione remota", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Vuoi aggiungere la condivisione remota {name} da {owner}@{remote}?", "Remote share password" : "Password della condivisione remota", - "Incoming share could not be processed" : "Non è stato possibile elaborare la condivisione in entrata" + "Incoming share could not be processed" : "Non è stato possibile elaborare la condivisione in entrata", + "Cloud ID copied to the clipboard" : "ID di cloud copiato negli appunti", + "Copy to clipboard" : "Copia negli appunti" },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/ja.js b/apps/federatedfilesharing/l10n/ja.js index e821c5694ce..3f76fc2ef09 100644 --- a/apps/federatedfilesharing/l10n/ja.js +++ b/apps/federatedfilesharing/l10n/ja.js @@ -47,8 +47,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "私の #Nextcloud Federated Cloud ID を通して共有してください、 {url} を参照してください。", "Share with me through my #Nextcloud Federated Cloud ID" : "#Nextcloud の「クラウド共有ID」で私と共有できます。", "Share with me via Nextcloud" : "Nextcloud 経由で共有", - "Cloud ID copied to the clipboard" : "クリップボードにクラウドIDをコピーしました", - "Copy to clipboard" : "クリップボードにコピー", + "Copy" : "コピー", "Clipboard not available. Please copy the cloud ID manually." : "クリップボードが使用できません。手動でクラウドIDをコピーしてください。", "Copied!" : "コピーしました!", "Federated Cloud" : "クラウド共有", @@ -66,6 +65,8 @@ OC.L10N.register( "Remote share" : "リモート共有", "Do you want to add the remote share {name} from {owner}@{remote}?" : "{owner}@{remote} からのリモート共有 {name} を追加してもよろしいですか?", "Remote share password" : "リモート共有のパスワード", - "Incoming share could not be processed" : "受信した共有を処理できませんでした" + "Incoming share could not be processed" : "受信した共有を処理できませんでした", + "Cloud ID copied to the clipboard" : "クリップボードにクラウドIDをコピーしました", + "Copy to clipboard" : "クリップボードにコピー" }, "nplurals=1; plural=0;"); diff --git a/apps/federatedfilesharing/l10n/ja.json b/apps/federatedfilesharing/l10n/ja.json index fba74e16cbb..e07bf0f695d 100644 --- a/apps/federatedfilesharing/l10n/ja.json +++ b/apps/federatedfilesharing/l10n/ja.json @@ -45,8 +45,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "私の #Nextcloud Federated Cloud ID を通して共有してください、 {url} を参照してください。", "Share with me through my #Nextcloud Federated Cloud ID" : "#Nextcloud の「クラウド共有ID」で私と共有できます。", "Share with me via Nextcloud" : "Nextcloud 経由で共有", - "Cloud ID copied to the clipboard" : "クリップボードにクラウドIDをコピーしました", - "Copy to clipboard" : "クリップボードにコピー", + "Copy" : "コピー", "Clipboard not available. Please copy the cloud ID manually." : "クリップボードが使用できません。手動でクラウドIDをコピーしてください。", "Copied!" : "コピーしました!", "Federated Cloud" : "クラウド共有", @@ -64,6 +63,8 @@ "Remote share" : "リモート共有", "Do you want to add the remote share {name} from {owner}@{remote}?" : "{owner}@{remote} からのリモート共有 {name} を追加してもよろしいですか?", "Remote share password" : "リモート共有のパスワード", - "Incoming share could not be processed" : "受信した共有を処理できませんでした" + "Incoming share could not be processed" : "受信した共有を処理できませんでした", + "Cloud ID copied to the clipboard" : "クリップボードにクラウドIDをコピーしました", + "Copy to clipboard" : "クリップボードにコピー" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/ka.js b/apps/federatedfilesharing/l10n/ka.js index 78cd9ecc8ad..f5688740948 100644 --- a/apps/federatedfilesharing/l10n/ka.js +++ b/apps/federatedfilesharing/l10n/ka.js @@ -25,8 +25,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Share with me through my #Nextcloud Federated Cloud ID, see {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Share with me through my #Nextcloud Federated Cloud ID", "Share with me via Nextcloud" : "Share with me via Nextcloud", - "Cloud ID copied to the clipboard" : "Cloud ID copied to the clipboard", - "Copy to clipboard" : "Copy to clipboard", + "Copy" : "Copy", "Copied!" : "Copied!", "Federated Cloud" : "Federated Cloud", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com", @@ -39,6 +38,8 @@ OC.L10N.register( "Add remote share" : "Add remote share", "Remote share" : "Remote share", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Do you want to add the remote share {name} from {owner}@{remote}?", - "Remote share password" : "Remote share password" + "Remote share password" : "Remote share password", + "Cloud ID copied to the clipboard" : "Cloud ID copied to the clipboard", + "Copy to clipboard" : "Copy to clipboard" }, "nplurals=2; plural=(n!=1);"); diff --git a/apps/federatedfilesharing/l10n/ka.json b/apps/federatedfilesharing/l10n/ka.json index 48032f31a34..f84cf0f5778 100644 --- a/apps/federatedfilesharing/l10n/ka.json +++ b/apps/federatedfilesharing/l10n/ka.json @@ -23,8 +23,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Share with me through my #Nextcloud Federated Cloud ID, see {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Share with me through my #Nextcloud Federated Cloud ID", "Share with me via Nextcloud" : "Share with me via Nextcloud", - "Cloud ID copied to the clipboard" : "Cloud ID copied to the clipboard", - "Copy to clipboard" : "Copy to clipboard", + "Copy" : "Copy", "Copied!" : "Copied!", "Federated Cloud" : "Federated Cloud", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com", @@ -37,6 +36,8 @@ "Add remote share" : "Add remote share", "Remote share" : "Remote share", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Do you want to add the remote share {name} from {owner}@{remote}?", - "Remote share password" : "Remote share password" + "Remote share password" : "Remote share password", + "Cloud ID copied to the clipboard" : "Cloud ID copied to the clipboard", + "Copy to clipboard" : "Copy to clipboard" },"pluralForm" :"nplurals=2; plural=(n!=1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/ko.js b/apps/federatedfilesharing/l10n/ko.js index 3fde56d6b97..3a784869dd5 100644 --- a/apps/federatedfilesharing/l10n/ko.js +++ b/apps/federatedfilesharing/l10n/ko.js @@ -27,8 +27,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "내 #Nextcloud 연합 클라우드 ID를 통해서 공유됨, 더 알아보기: {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "내 #Nextcloud 연합 클라우드 ID를 통해서 공유됨", "Share with me via Nextcloud" : "Nextcloud로 나와 공유하기", - "Cloud ID copied to the clipboard" : "클라우드 ID가 클립보드에 복사됨", - "Copy to clipboard" : "클립보드로 복사", + "Copy" : "복사", "Copied!" : "복사 성공!", "Federated Cloud" : "연합 클라우드", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Nextcloud 서버나 다른 Open Cloud Mesh(OCM) 호환 서버 및 서비스 사용자와 공유할 수 있습니다! 공유 대화 상자에 연합 클라우드 ID를 입력하십시오. person@cloud.example.com 형식입니다", @@ -41,6 +40,8 @@ OC.L10N.register( "Add remote share" : "원격 공유 추가", "Remote share" : "원격 공유", "Do you want to add the remote share {name} from {owner}@{remote}?" : "{owner}@{remote}의 원격 공유 {name}을(를) 추가하시겠습니까?", - "Remote share password" : "원격 공유 암호" + "Remote share password" : "원격 공유 암호", + "Cloud ID copied to the clipboard" : "클라우드 ID가 클립보드에 복사됨", + "Copy to clipboard" : "클립보드로 복사" }, "nplurals=1; plural=0;"); diff --git a/apps/federatedfilesharing/l10n/ko.json b/apps/federatedfilesharing/l10n/ko.json index b1fcc914625..f814576051c 100644 --- a/apps/federatedfilesharing/l10n/ko.json +++ b/apps/federatedfilesharing/l10n/ko.json @@ -25,8 +25,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "내 #Nextcloud 연합 클라우드 ID를 통해서 공유됨, 더 알아보기: {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "내 #Nextcloud 연합 클라우드 ID를 통해서 공유됨", "Share with me via Nextcloud" : "Nextcloud로 나와 공유하기", - "Cloud ID copied to the clipboard" : "클라우드 ID가 클립보드에 복사됨", - "Copy to clipboard" : "클립보드로 복사", + "Copy" : "복사", "Copied!" : "복사 성공!", "Federated Cloud" : "연합 클라우드", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Nextcloud 서버나 다른 Open Cloud Mesh(OCM) 호환 서버 및 서비스 사용자와 공유할 수 있습니다! 공유 대화 상자에 연합 클라우드 ID를 입력하십시오. person@cloud.example.com 형식입니다", @@ -39,6 +38,8 @@ "Add remote share" : "원격 공유 추가", "Remote share" : "원격 공유", "Do you want to add the remote share {name} from {owner}@{remote}?" : "{owner}@{remote}의 원격 공유 {name}을(를) 추가하시겠습니까?", - "Remote share password" : "원격 공유 암호" + "Remote share password" : "원격 공유 암호", + "Cloud ID copied to the clipboard" : "클라우드 ID가 클립보드에 복사됨", + "Copy to clipboard" : "클립보드로 복사" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/mk.js b/apps/federatedfilesharing/l10n/mk.js index 4131ede5f7c..977673fdb55 100644 --- a/apps/federatedfilesharing/l10n/mk.js +++ b/apps/federatedfilesharing/l10n/mk.js @@ -26,8 +26,6 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Споделете со мене преку мојот Федерален Cloud ID, види {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Споделете со мене преку мојот Федерален Cloud ID", "Share with me via Nextcloud" : "Сподели со мене", - "Cloud ID copied to the clipboard" : "Cloud ID е копиран во клипборд", - "Copy to clipboard" : "Копирај во клипборд", "Copied!" : "Копирано!", "Federated Cloud" : "Федерален клауд", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Можете да споделувате со секој што користи Nextcloud сервер или друг вид на Open Cloud Mesh (OCM) компатибилен сервер или сервис! Само внесете го федералниот ID во полето за споделување. Треба да изгледа korisnik@cloud.primer.com", @@ -40,6 +38,8 @@ OC.L10N.register( "Add remote share" : "Додади далечинско споделување", "Remote share" : "Далечинско споделување", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Дали сакате да додадете далечинско споделување на {name} од {owner}@{remote}?", - "Remote share password" : "Лозинка за далечинско споделување" + "Remote share password" : "Лозинка за далечинско споделување", + "Cloud ID copied to the clipboard" : "Cloud ID е копиран во клипборд", + "Copy to clipboard" : "Копирај во клипборд" }, "nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;"); diff --git a/apps/federatedfilesharing/l10n/mk.json b/apps/federatedfilesharing/l10n/mk.json index 15aa44162a3..24abc6999c0 100644 --- a/apps/federatedfilesharing/l10n/mk.json +++ b/apps/federatedfilesharing/l10n/mk.json @@ -24,8 +24,6 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Споделете со мене преку мојот Федерален Cloud ID, види {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Споделете со мене преку мојот Федерален Cloud ID", "Share with me via Nextcloud" : "Сподели со мене", - "Cloud ID copied to the clipboard" : "Cloud ID е копиран во клипборд", - "Copy to clipboard" : "Копирај во клипборд", "Copied!" : "Копирано!", "Federated Cloud" : "Федерален клауд", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Можете да споделувате со секој што користи Nextcloud сервер или друг вид на Open Cloud Mesh (OCM) компатибилен сервер или сервис! Само внесете го федералниот ID во полето за споделување. Треба да изгледа korisnik@cloud.primer.com", @@ -38,6 +36,8 @@ "Add remote share" : "Додади далечинско споделување", "Remote share" : "Далечинско споделување", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Дали сакате да додадете далечинско споделување на {name} од {owner}@{remote}?", - "Remote share password" : "Лозинка за далечинско споделување" + "Remote share password" : "Лозинка за далечинско споделување", + "Cloud ID copied to the clipboard" : "Cloud ID е копиран во клипборд", + "Copy to clipboard" : "Копирај во клипборд" },"pluralForm" :"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/nb.js b/apps/federatedfilesharing/l10n/nb.js index b03c98f3c06..047e77fa0c7 100644 --- a/apps/federatedfilesharing/l10n/nb.js +++ b/apps/federatedfilesharing/l10n/nb.js @@ -34,8 +34,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Del med meg gjennom min #Nextcloud ID for sammenknyttet sky, se {url}.", "Share with me through my #Nextcloud Federated Cloud ID" : "Del med meg gjennom min #Nextcloud-ID for sammenknyttet sky", "Share with me via Nextcloud" : "Del med meg via Nextcloud", - "Cloud ID copied to the clipboard" : "Sky-ID kopiert til utklippstavlen", - "Copy to clipboard" : "Kopiert til utklippstavlen", + "Copy" : "Kopi", "Copied!" : "Kopiert!", "Federated Cloud" : "Sammenknyttet sky", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Du kan dele med alle som bruker en Nextcloud-server eller andre Open Cloud Mesh (OCM)-kompatible servere og tjenester! Bare legg inn deres ID for sammenknyttet sky i delingsdialogen. Det ser ut som person@cloud.example.com.", @@ -49,6 +48,8 @@ OC.L10N.register( "Add remote share" : "Legg til ekstern ressurs", "Remote share" : "Ekstern ressurs", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Ønsker du å legge til ekstern ressurs {name} fra {owner}@{remote}?", - "Remote share password" : "Passord for ekstern ressurs" + "Remote share password" : "Passord for ekstern ressurs", + "Cloud ID copied to the clipboard" : "Sky-ID kopiert til utklippstavlen", + "Copy to clipboard" : "Kopiert til utklippstavlen" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/nb.json b/apps/federatedfilesharing/l10n/nb.json index 1e73df41ab3..0ee344a8847 100644 --- a/apps/federatedfilesharing/l10n/nb.json +++ b/apps/federatedfilesharing/l10n/nb.json @@ -32,8 +32,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Del med meg gjennom min #Nextcloud ID for sammenknyttet sky, se {url}.", "Share with me through my #Nextcloud Federated Cloud ID" : "Del med meg gjennom min #Nextcloud-ID for sammenknyttet sky", "Share with me via Nextcloud" : "Del med meg via Nextcloud", - "Cloud ID copied to the clipboard" : "Sky-ID kopiert til utklippstavlen", - "Copy to clipboard" : "Kopiert til utklippstavlen", + "Copy" : "Kopi", "Copied!" : "Kopiert!", "Federated Cloud" : "Sammenknyttet sky", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Du kan dele med alle som bruker en Nextcloud-server eller andre Open Cloud Mesh (OCM)-kompatible servere og tjenester! Bare legg inn deres ID for sammenknyttet sky i delingsdialogen. Det ser ut som person@cloud.example.com.", @@ -47,6 +46,8 @@ "Add remote share" : "Legg til ekstern ressurs", "Remote share" : "Ekstern ressurs", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Ønsker du å legge til ekstern ressurs {name} fra {owner}@{remote}?", - "Remote share password" : "Passord for ekstern ressurs" + "Remote share password" : "Passord for ekstern ressurs", + "Cloud ID copied to the clipboard" : "Sky-ID kopiert til utklippstavlen", + "Copy to clipboard" : "Kopiert til utklippstavlen" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/nl.js b/apps/federatedfilesharing/l10n/nl.js index 30172a2ec83..08c2ec899aa 100644 --- a/apps/federatedfilesharing/l10n/nl.js +++ b/apps/federatedfilesharing/l10n/nl.js @@ -26,8 +26,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Deel met mij via mijn #Nextcloud Federated Cloud-ID, zie {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Deel met mij via mijn #Nextcloud gefedereerde Cloud-ID", "Share with me via Nextcloud" : "Deel met mij via Nextcloud", - "Cloud ID copied to the clipboard" : "Cloud-ID gekopieerd naar het klembord", - "Copy to clipboard" : "Kopiëren naar het klembord", + "Copy" : "Kopiëren", "Clipboard not available. Please copy the cloud ID manually." : "Klembord niet beschikbaar. Kopieer de cloud-ID handmatig.", "Copied!" : "Gekopieerd!", "Federated Cloud" : "Gefedereerde Cloud", @@ -43,6 +42,8 @@ OC.L10N.register( "Add remote share" : "Toevoegen externe share", "Remote share" : "Externe share", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Wil je de externe share {name} van {owner}@{remote} toevoegen?", - "Remote share password" : "Wachtwoord externe share" + "Remote share password" : "Wachtwoord externe share", + "Cloud ID copied to the clipboard" : "Cloud-ID gekopieerd naar het klembord", + "Copy to clipboard" : "Kopiëren naar het klembord" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/nl.json b/apps/federatedfilesharing/l10n/nl.json index 5aa7b97123a..3b7db3e97cc 100644 --- a/apps/federatedfilesharing/l10n/nl.json +++ b/apps/federatedfilesharing/l10n/nl.json @@ -24,8 +24,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Deel met mij via mijn #Nextcloud Federated Cloud-ID, zie {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Deel met mij via mijn #Nextcloud gefedereerde Cloud-ID", "Share with me via Nextcloud" : "Deel met mij via Nextcloud", - "Cloud ID copied to the clipboard" : "Cloud-ID gekopieerd naar het klembord", - "Copy to clipboard" : "Kopiëren naar het klembord", + "Copy" : "Kopiëren", "Clipboard not available. Please copy the cloud ID manually." : "Klembord niet beschikbaar. Kopieer de cloud-ID handmatig.", "Copied!" : "Gekopieerd!", "Federated Cloud" : "Gefedereerde Cloud", @@ -41,6 +40,8 @@ "Add remote share" : "Toevoegen externe share", "Remote share" : "Externe share", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Wil je de externe share {name} van {owner}@{remote} toevoegen?", - "Remote share password" : "Wachtwoord externe share" + "Remote share password" : "Wachtwoord externe share", + "Cloud ID copied to the clipboard" : "Cloud-ID gekopieerd naar het klembord", + "Copy to clipboard" : "Kopiëren naar het klembord" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/pl.js b/apps/federatedfilesharing/l10n/pl.js index 3aadf847d8e..dbf8f4be643 100644 --- a/apps/federatedfilesharing/l10n/pl.js +++ b/apps/federatedfilesharing/l10n/pl.js @@ -47,8 +47,8 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Udostępnij mi poprzez mój ID #Nextcloud Chmury Federacyjnej, zobacz {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Udostępnij mi poprzez mój ID #Nextcloud Chmury Federacyjnej", "Share with me via Nextcloud" : "Udostępnij mi za pomocą Nextcloud", - "Cloud ID copied to the clipboard" : "ID chmury skopiowany do schowka", - "Copy to clipboard" : "Kopiuj do schowka", + "Cloud ID copied" : "Identyfikator Chmury skopiowany", + "Copy" : "Skopiuj", "Clipboard not available. Please copy the cloud ID manually." : "Schowek niedostępny. Skopiuj identyfikator chmury ręcznie.", "Copied!" : "Skopiowano!", "Federated Cloud" : "Chmura Federacyjna", @@ -59,6 +59,7 @@ OC.L10N.register( "X (formerly Twitter)" : "X (dawniej Twitter)", "formerly Twitter" : "dawny Twitter", "Mastodon" : "Mastodon", + "Bluesky" : "Bluesky", "Add to your website" : "Dodaj do swojej strony", "HTML Code:" : "Kod HTML:", "Cancel" : "Anuluj", @@ -66,6 +67,8 @@ OC.L10N.register( "Remote share" : "Zdalne udostępnienie", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Czy chcesz dodać zdalne udostępnienie {name} od {owner}@{remote}?", "Remote share password" : "Hasło zdalnego udostępnienia", - "Incoming share could not be processed" : "Nie można przetworzyć przychodzącego udostępnienia" + "Incoming share could not be processed" : "Nie można przetworzyć przychodzącego udostępnienia", + "Cloud ID copied to the clipboard" : "ID chmury skopiowany do schowka", + "Copy to clipboard" : "Kopiuj do schowka" }, "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/federatedfilesharing/l10n/pl.json b/apps/federatedfilesharing/l10n/pl.json index be7c8375d3a..1e82bbba62b 100644 --- a/apps/federatedfilesharing/l10n/pl.json +++ b/apps/federatedfilesharing/l10n/pl.json @@ -45,8 +45,8 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Udostępnij mi poprzez mój ID #Nextcloud Chmury Federacyjnej, zobacz {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Udostępnij mi poprzez mój ID #Nextcloud Chmury Federacyjnej", "Share with me via Nextcloud" : "Udostępnij mi za pomocą Nextcloud", - "Cloud ID copied to the clipboard" : "ID chmury skopiowany do schowka", - "Copy to clipboard" : "Kopiuj do schowka", + "Cloud ID copied" : "Identyfikator Chmury skopiowany", + "Copy" : "Skopiuj", "Clipboard not available. Please copy the cloud ID manually." : "Schowek niedostępny. Skopiuj identyfikator chmury ręcznie.", "Copied!" : "Skopiowano!", "Federated Cloud" : "Chmura Federacyjna", @@ -57,6 +57,7 @@ "X (formerly Twitter)" : "X (dawniej Twitter)", "formerly Twitter" : "dawny Twitter", "Mastodon" : "Mastodon", + "Bluesky" : "Bluesky", "Add to your website" : "Dodaj do swojej strony", "HTML Code:" : "Kod HTML:", "Cancel" : "Anuluj", @@ -64,6 +65,8 @@ "Remote share" : "Zdalne udostępnienie", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Czy chcesz dodać zdalne udostępnienie {name} od {owner}@{remote}?", "Remote share password" : "Hasło zdalnego udostępnienia", - "Incoming share could not be processed" : "Nie można przetworzyć przychodzącego udostępnienia" + "Incoming share could not be processed" : "Nie można przetworzyć przychodzącego udostępnienia", + "Cloud ID copied to the clipboard" : "ID chmury skopiowany do schowka", + "Copy to clipboard" : "Kopiuj do schowka" },"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/federatedfilesharing/l10n/pt_BR.js b/apps/federatedfilesharing/l10n/pt_BR.js index 15754c3c3e0..b6af476dffe 100644 --- a/apps/federatedfilesharing/l10n/pt_BR.js +++ b/apps/federatedfilesharing/l10n/pt_BR.js @@ -47,8 +47,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Compartilhe comigo por meio do meu ID de Nuvem Federada #Nextcloud, consulte {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Compartilhe comigo através do meu ID de Nuvem Federada #Nextcloud", "Share with me via Nextcloud" : "Compartilhe comigo via Nextcloud", - "Cloud ID copied to the clipboard" : "ID de Nuvem copiado para a área de transferência", - "Copy to clipboard" : "Copiar para área de transferência", + "Copy" : "Copiar", "Clipboard not available. Please copy the cloud ID manually." : "Área de transferência indisponível. Copie o ID de Nuvem manualmente.", "Copied!" : "Copiado!", "Federated Cloud" : "Nuvem Federada", @@ -59,6 +58,7 @@ OC.L10N.register( "X (formerly Twitter)" : "X (anteriormente Twitter)", "formerly Twitter" : "anteriormente Twitter", "Mastodon" : "Mastodon", + "Bluesky" : "Bluesky", "Add to your website" : "Adicione ao seu website", "HTML Code:" : "Código HTML:", "Cancel" : "Cancelar", @@ -66,6 +66,8 @@ OC.L10N.register( "Remote share" : "Compartilhamento remoto", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Deseja adicionar o compartilhamento remoto {name} de {owner}@{remote}?", "Remote share password" : "Senha do compartilhamento remoto", - "Incoming share could not be processed" : "O compartilhamento recebido não pôde ser processado" + "Incoming share could not be processed" : "O compartilhamento recebido não pôde ser processado", + "Cloud ID copied to the clipboard" : "ID de Nuvem copiado para a área de transferência", + "Copy to clipboard" : "Copiar para área de transferência" }, "nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/federatedfilesharing/l10n/pt_BR.json b/apps/federatedfilesharing/l10n/pt_BR.json index 6574ec209f2..b668cdc5513 100644 --- a/apps/federatedfilesharing/l10n/pt_BR.json +++ b/apps/federatedfilesharing/l10n/pt_BR.json @@ -45,8 +45,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Compartilhe comigo por meio do meu ID de Nuvem Federada #Nextcloud, consulte {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Compartilhe comigo através do meu ID de Nuvem Federada #Nextcloud", "Share with me via Nextcloud" : "Compartilhe comigo via Nextcloud", - "Cloud ID copied to the clipboard" : "ID de Nuvem copiado para a área de transferência", - "Copy to clipboard" : "Copiar para área de transferência", + "Copy" : "Copiar", "Clipboard not available. Please copy the cloud ID manually." : "Área de transferência indisponível. Copie o ID de Nuvem manualmente.", "Copied!" : "Copiado!", "Federated Cloud" : "Nuvem Federada", @@ -57,6 +56,7 @@ "X (formerly Twitter)" : "X (anteriormente Twitter)", "formerly Twitter" : "anteriormente Twitter", "Mastodon" : "Mastodon", + "Bluesky" : "Bluesky", "Add to your website" : "Adicione ao seu website", "HTML Code:" : "Código HTML:", "Cancel" : "Cancelar", @@ -64,6 +64,8 @@ "Remote share" : "Compartilhamento remoto", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Deseja adicionar o compartilhamento remoto {name} de {owner}@{remote}?", "Remote share password" : "Senha do compartilhamento remoto", - "Incoming share could not be processed" : "O compartilhamento recebido não pôde ser processado" + "Incoming share could not be processed" : "O compartilhamento recebido não pôde ser processado", + "Cloud ID copied to the clipboard" : "ID de Nuvem copiado para a área de transferência", + "Copy to clipboard" : "Copiar para área de transferência" },"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/federatedfilesharing/l10n/ru.js b/apps/federatedfilesharing/l10n/ru.js index f9565c6a26f..a7a899870eb 100644 --- a/apps/federatedfilesharing/l10n/ru.js +++ b/apps/federatedfilesharing/l10n/ru.js @@ -47,8 +47,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Поделитесь со мной через мой #Nextcloud Federated Cloud ID, см. {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Поделитесь со мной через мой #Nextcloud ID в федерации облачных хранилищ", "Share with me via Nextcloud" : "Поделитесь со мной через Nextcloud", - "Cloud ID copied to the clipboard" : "Идентификатор облака скопирован в буфер обмена", - "Copy to clipboard" : "Копировать в буфер", + "Copy" : "Копировать", "Clipboard not available. Please copy the cloud ID manually." : "Буфер обмена недоступен. Пожалуйста, скопируйте cloud ID вручную.", "Copied!" : "Скопировано!", "Federated Cloud" : "Федерация облачных хранилищ", @@ -66,6 +65,8 @@ OC.L10N.register( "Remote share" : "Общий ресурс другого сервера", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Вы хотите добавить удалённый общий каталог {name} из {owner}@{remote}?", "Remote share password" : "Пароль общего ресурса другого сервера", - "Incoming share could not be processed" : "Не удалось обработать входящий общий доступ" + "Incoming share could not be processed" : "Не удалось обработать входящий общий доступ", + "Cloud ID copied to the clipboard" : "Идентификатор облака скопирован в буфер обмена", + "Copy to clipboard" : "Копировать в буфер" }, "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/federatedfilesharing/l10n/ru.json b/apps/federatedfilesharing/l10n/ru.json index 43275fe9986..f97d5335a8c 100644 --- a/apps/federatedfilesharing/l10n/ru.json +++ b/apps/federatedfilesharing/l10n/ru.json @@ -45,8 +45,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Поделитесь со мной через мой #Nextcloud Federated Cloud ID, см. {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Поделитесь со мной через мой #Nextcloud ID в федерации облачных хранилищ", "Share with me via Nextcloud" : "Поделитесь со мной через Nextcloud", - "Cloud ID copied to the clipboard" : "Идентификатор облака скопирован в буфер обмена", - "Copy to clipboard" : "Копировать в буфер", + "Copy" : "Копировать", "Clipboard not available. Please copy the cloud ID manually." : "Буфер обмена недоступен. Пожалуйста, скопируйте cloud ID вручную.", "Copied!" : "Скопировано!", "Federated Cloud" : "Федерация облачных хранилищ", @@ -64,6 +63,8 @@ "Remote share" : "Общий ресурс другого сервера", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Вы хотите добавить удалённый общий каталог {name} из {owner}@{remote}?", "Remote share password" : "Пароль общего ресурса другого сервера", - "Incoming share could not be processed" : "Не удалось обработать входящий общий доступ" + "Incoming share could not be processed" : "Не удалось обработать входящий общий доступ", + "Cloud ID copied to the clipboard" : "Идентификатор облака скопирован в буфер обмена", + "Copy to clipboard" : "Копировать в буфер" },"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/federatedfilesharing/l10n/sc.js b/apps/federatedfilesharing/l10n/sc.js index 5627e20755b..995ba2855c0 100644 --- a/apps/federatedfilesharing/l10n/sc.js +++ b/apps/federatedfilesharing/l10n/sc.js @@ -23,7 +23,7 @@ OC.L10N.register( "Provide federated file sharing across servers" : "Frunit una cumpartzidura de archìvios federados intre serbidores", "Share with me through my #Nextcloud Federated Cloud ID" : "Cumpartzi cun megus tràmite s'ID meu de nue virtuale federada #Nextcloud Federated Cloud ID", "Share with me via Nextcloud" : "Cumpartzi cun megus tràmite Nextcloud", - "Copy to clipboard" : "Còpia in is punta de billete", + "Copy" : "Còpia", "Copied!" : "Copiadu!", "Federated Cloud" : "Nue virtuale federada", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Podes cumpartzire con chie si siat mpreet su serbidore Nextcloud o àteros serbidores Open Cloud Mesh (OCM) cumpatìbiles. Ti bastat de nche insertare s'ID issoro de sa nue virtuale federada in sa bentana de cumpartzidura. Assimìgiat a persone@nue.esempru.com ", @@ -37,6 +37,7 @@ OC.L10N.register( "Add remote share" : "Agiunghe cumpartzidura remota", "Remote share" : "Cumpartzidura remota", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Nche cheres agiùnghere sa cumpartzidura remota {name} dae {owner}@{remote}?", - "Remote share password" : "Cumpartzidura remota crae" + "Remote share password" : "Cumpartzidura remota crae", + "Copy to clipboard" : "Còpia in is punta de billete" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/sc.json b/apps/federatedfilesharing/l10n/sc.json index ce8c708920d..2a77c92526f 100644 --- a/apps/federatedfilesharing/l10n/sc.json +++ b/apps/federatedfilesharing/l10n/sc.json @@ -21,7 +21,7 @@ "Provide federated file sharing across servers" : "Frunit una cumpartzidura de archìvios federados intre serbidores", "Share with me through my #Nextcloud Federated Cloud ID" : "Cumpartzi cun megus tràmite s'ID meu de nue virtuale federada #Nextcloud Federated Cloud ID", "Share with me via Nextcloud" : "Cumpartzi cun megus tràmite Nextcloud", - "Copy to clipboard" : "Còpia in is punta de billete", + "Copy" : "Còpia", "Copied!" : "Copiadu!", "Federated Cloud" : "Nue virtuale federada", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Podes cumpartzire con chie si siat mpreet su serbidore Nextcloud o àteros serbidores Open Cloud Mesh (OCM) cumpatìbiles. Ti bastat de nche insertare s'ID issoro de sa nue virtuale federada in sa bentana de cumpartzidura. Assimìgiat a persone@nue.esempru.com ", @@ -35,6 +35,7 @@ "Add remote share" : "Agiunghe cumpartzidura remota", "Remote share" : "Cumpartzidura remota", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Nche cheres agiùnghere sa cumpartzidura remota {name} dae {owner}@{remote}?", - "Remote share password" : "Cumpartzidura remota crae" + "Remote share password" : "Cumpartzidura remota crae", + "Copy to clipboard" : "Còpia in is punta de billete" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/sk.js b/apps/federatedfilesharing/l10n/sk.js index 4be56153cd2..dfd259e510d 100644 --- a/apps/federatedfilesharing/l10n/sk.js +++ b/apps/federatedfilesharing/l10n/sk.js @@ -47,8 +47,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Zdieľajte so mnou prostredníctvom môjho #identifikátora združeného cloudu Nextcloud, pozrite {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Sprístupnite mi obsah prostredníctvom môjho #identifikátora združeného cloudu Nextcloud", "Share with me via Nextcloud" : "Sprístupnené cez Nextcloud", - "Cloud ID copied to the clipboard" : "Cloud ID bol skopírovaný do schránky", - "Copy to clipboard" : "Skopírovať do schránky", + "Copy" : "Kopírovať", "Clipboard not available. Please copy the cloud ID manually." : "Schránka nie je prístupná. Prosím skopírujte cloud ID manuálne.", "Copied!" : "Skopírované!", "Federated Cloud" : "Federovaný cloud", @@ -66,6 +65,8 @@ OC.L10N.register( "Remote share" : "Vzdialené úložisko", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Chcete pridať vzdialené úložisko {name} patriace používateľovi {owner}@{remote}?", "Remote share password" : "Heslo k vzdialenému úložisku", - "Incoming share could not be processed" : "Prichádzajúce zdieľanie sa nepodarilo spracovať" + "Incoming share could not be processed" : "Prichádzajúce zdieľanie sa nepodarilo spracovať", + "Cloud ID copied to the clipboard" : "Cloud ID bol skopírovaný do schránky", + "Copy to clipboard" : "Skopírovať do schránky" }, "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/federatedfilesharing/l10n/sk.json b/apps/federatedfilesharing/l10n/sk.json index 85949909ffb..ab8b5997a86 100644 --- a/apps/federatedfilesharing/l10n/sk.json +++ b/apps/federatedfilesharing/l10n/sk.json @@ -45,8 +45,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Zdieľajte so mnou prostredníctvom môjho #identifikátora združeného cloudu Nextcloud, pozrite {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Sprístupnite mi obsah prostredníctvom môjho #identifikátora združeného cloudu Nextcloud", "Share with me via Nextcloud" : "Sprístupnené cez Nextcloud", - "Cloud ID copied to the clipboard" : "Cloud ID bol skopírovaný do schránky", - "Copy to clipboard" : "Skopírovať do schránky", + "Copy" : "Kopírovať", "Clipboard not available. Please copy the cloud ID manually." : "Schránka nie je prístupná. Prosím skopírujte cloud ID manuálne.", "Copied!" : "Skopírované!", "Federated Cloud" : "Federovaný cloud", @@ -64,6 +63,8 @@ "Remote share" : "Vzdialené úložisko", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Chcete pridať vzdialené úložisko {name} patriace používateľovi {owner}@{remote}?", "Remote share password" : "Heslo k vzdialenému úložisku", - "Incoming share could not be processed" : "Prichádzajúce zdieľanie sa nepodarilo spracovať" + "Incoming share could not be processed" : "Prichádzajúce zdieľanie sa nepodarilo spracovať", + "Cloud ID copied to the clipboard" : "Cloud ID bol skopírovaný do schránky", + "Copy to clipboard" : "Skopírovať do schránky" },"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/federatedfilesharing/l10n/sl.js b/apps/federatedfilesharing/l10n/sl.js index 7c54ab282bc..fa4608b6555 100644 --- a/apps/federatedfilesharing/l10n/sl.js +++ b/apps/federatedfilesharing/l10n/sl.js @@ -34,8 +34,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Souporaba z določilom ID #Zveznega oblaka Nextcloud ; več podrobnosti je na naslovu {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Omogoči souporabo z #Določilom ID zveznega oblaka Nextcloud", "Share with me via Nextcloud" : "Omogoči souporabo z oblaka Nextcloud", - "Cloud ID copied to the clipboard" : "Določilo ID oblaka je kopirano v odložišče", - "Copy to clipboard" : "Kopiraj v odložišče", + "Copy" : "Kopiraj", "Copied!" : "Kopirano!", "Federated Cloud" : "Zvezni oblak", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Souporaba različnih predmetov je mogoča s komerkoli, ki uporablja strežnik Nextcloud oziroma katerikoli strežnik, skladen s storitvami Open Cloud Mesh (OCM). Vpisati je treba zgolj njihov zvezni naslov ID v polje souporabe, ki je zapisano v obliki oseba@domena-oblaka.si oziroma oseba@domena.si/oblak.", @@ -49,6 +48,8 @@ OC.L10N.register( "Add remote share" : "Dodaj oddaljeno mesto za souporabo", "Remote share" : "Oddaljeno mesto za souporabo", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Ali želite dodati oddaljeno mesto uporabe {name} uporabnika {owner}@{remote}?", - "Remote share password" : "Geslo za oddaljeno souporabo" + "Remote share password" : "Geslo za oddaljeno souporabo", + "Cloud ID copied to the clipboard" : "Določilo ID oblaka je kopirano v odložišče", + "Copy to clipboard" : "Kopiraj v odložišče" }, "nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"); diff --git a/apps/federatedfilesharing/l10n/sl.json b/apps/federatedfilesharing/l10n/sl.json index 2daf8e8cdc0..3fddc63b7c0 100644 --- a/apps/federatedfilesharing/l10n/sl.json +++ b/apps/federatedfilesharing/l10n/sl.json @@ -32,8 +32,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Souporaba z določilom ID #Zveznega oblaka Nextcloud ; več podrobnosti je na naslovu {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Omogoči souporabo z #Določilom ID zveznega oblaka Nextcloud", "Share with me via Nextcloud" : "Omogoči souporabo z oblaka Nextcloud", - "Cloud ID copied to the clipboard" : "Določilo ID oblaka je kopirano v odložišče", - "Copy to clipboard" : "Kopiraj v odložišče", + "Copy" : "Kopiraj", "Copied!" : "Kopirano!", "Federated Cloud" : "Zvezni oblak", "You can share with anyone who uses a Nextcloud server or other Open Cloud Mesh (OCM) compatible servers and services! Just put their Federated Cloud ID in the share dialog. It looks like person@cloud.example.com" : "Souporaba različnih predmetov je mogoča s komerkoli, ki uporablja strežnik Nextcloud oziroma katerikoli strežnik, skladen s storitvami Open Cloud Mesh (OCM). Vpisati je treba zgolj njihov zvezni naslov ID v polje souporabe, ki je zapisano v obliki oseba@domena-oblaka.si oziroma oseba@domena.si/oblak.", @@ -47,6 +46,8 @@ "Add remote share" : "Dodaj oddaljeno mesto za souporabo", "Remote share" : "Oddaljeno mesto za souporabo", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Ali želite dodati oddaljeno mesto uporabe {name} uporabnika {owner}@{remote}?", - "Remote share password" : "Geslo za oddaljeno souporabo" + "Remote share password" : "Geslo za oddaljeno souporabo", + "Cloud ID copied to the clipboard" : "Določilo ID oblaka je kopirano v odložišče", + "Copy to clipboard" : "Kopiraj v odložišče" },"pluralForm" :"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/sr.js b/apps/federatedfilesharing/l10n/sr.js index 1ebc2c5b9a0..d64d4e59d19 100644 --- a/apps/federatedfilesharing/l10n/sr.js +++ b/apps/federatedfilesharing/l10n/sr.js @@ -47,8 +47,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Делите самном помоћу мог #Nextcloud Federated Cloud ID, погледајте {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Дели са мном преко мог #Некстклауд Здруженог облака", "Share with me via Nextcloud" : "Дели са мном преко Некстклауда", - "Cloud ID copied to the clipboard" : "Cloud ID је копиран у клипборд", - "Copy to clipboard" : "Копирај у оставу", + "Copy" : "Копирај", "Clipboard not available. Please copy the cloud ID manually." : "Клипборд није доступан. Молимо вас да ручно копирате ID облака.", "Copied!" : "Копирано!", "Federated Cloud" : "Здружени облак", @@ -66,6 +65,8 @@ OC.L10N.register( "Remote share" : "Удаљено дељење", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Да ли желите да додате удаљено дељење {name} од {owner}@{remote}?", "Remote share password" : "Лозинка удаљеног дељења", - "Incoming share could not be processed" : "Долазеће дељење не може да се обради" + "Incoming share could not be processed" : "Долазеће дељење не може да се обради", + "Cloud ID copied to the clipboard" : "Cloud ID је копиран у клипборд", + "Copy to clipboard" : "Копирај у оставу" }, "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/federatedfilesharing/l10n/sr.json b/apps/federatedfilesharing/l10n/sr.json index dca77da2ec3..c8816b63785 100644 --- a/apps/federatedfilesharing/l10n/sr.json +++ b/apps/federatedfilesharing/l10n/sr.json @@ -45,8 +45,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Делите самном помоћу мог #Nextcloud Federated Cloud ID, погледајте {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Дели са мном преко мог #Некстклауд Здруженог облака", "Share with me via Nextcloud" : "Дели са мном преко Некстклауда", - "Cloud ID copied to the clipboard" : "Cloud ID је копиран у клипборд", - "Copy to clipboard" : "Копирај у оставу", + "Copy" : "Копирај", "Clipboard not available. Please copy the cloud ID manually." : "Клипборд није доступан. Молимо вас да ручно копирате ID облака.", "Copied!" : "Копирано!", "Federated Cloud" : "Здружени облак", @@ -64,6 +63,8 @@ "Remote share" : "Удаљено дељење", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Да ли желите да додате удаљено дељење {name} од {owner}@{remote}?", "Remote share password" : "Лозинка удаљеног дељења", - "Incoming share could not be processed" : "Долазеће дељење не може да се обради" + "Incoming share could not be processed" : "Долазеће дељење не може да се обради", + "Cloud ID copied to the clipboard" : "Cloud ID је копиран у клипборд", + "Copy to clipboard" : "Копирај у оставу" },"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/federatedfilesharing/l10n/sv.js b/apps/federatedfilesharing/l10n/sv.js index ebb6a7f09c4..e94977f95cc 100644 --- a/apps/federatedfilesharing/l10n/sv.js +++ b/apps/federatedfilesharing/l10n/sv.js @@ -47,8 +47,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Dela med mig genom mitt #Nextcloud federerade moln-ID, se {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Dela med mig genom mitt #Nextcloud federerade moln-ID", "Share with me via Nextcloud" : "Dela med mig via Nextcloud", - "Cloud ID copied to the clipboard" : "Moln-ID kopierades till urklippet", - "Copy to clipboard" : "Kopiera till urklipp", + "Copy" : "Kopiera", "Clipboard not available. Please copy the cloud ID manually." : "Urklipp är inte tillgängligt. Kopiera moln-ID manuellt.", "Copied!" : "Kopierad!", "Federated Cloud" : "Federerat moln", @@ -66,6 +65,8 @@ OC.L10N.register( "Remote share" : "Extern delning", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Vill du lägga till extern delning {name} från {owner}@{remote}?", "Remote share password" : "Lösenord för extern delning", - "Incoming share could not be processed" : "Inkommande delning kunde inte behandlas" + "Incoming share could not be processed" : "Inkommande delning kunde inte behandlas", + "Cloud ID copied to the clipboard" : "Moln-ID kopierades till urklippet", + "Copy to clipboard" : "Kopiera till urklipp" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/sv.json b/apps/federatedfilesharing/l10n/sv.json index 835f401789a..315678c8371 100644 --- a/apps/federatedfilesharing/l10n/sv.json +++ b/apps/federatedfilesharing/l10n/sv.json @@ -45,8 +45,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Dela med mig genom mitt #Nextcloud federerade moln-ID, se {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Dela med mig genom mitt #Nextcloud federerade moln-ID", "Share with me via Nextcloud" : "Dela med mig via Nextcloud", - "Cloud ID copied to the clipboard" : "Moln-ID kopierades till urklippet", - "Copy to clipboard" : "Kopiera till urklipp", + "Copy" : "Kopiera", "Clipboard not available. Please copy the cloud ID manually." : "Urklipp är inte tillgängligt. Kopiera moln-ID manuellt.", "Copied!" : "Kopierad!", "Federated Cloud" : "Federerat moln", @@ -64,6 +63,8 @@ "Remote share" : "Extern delning", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Vill du lägga till extern delning {name} från {owner}@{remote}?", "Remote share password" : "Lösenord för extern delning", - "Incoming share could not be processed" : "Inkommande delning kunde inte behandlas" + "Incoming share could not be processed" : "Inkommande delning kunde inte behandlas", + "Cloud ID copied to the clipboard" : "Moln-ID kopierades till urklippet", + "Copy to clipboard" : "Kopiera till urklipp" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/sw.js b/apps/federatedfilesharing/l10n/sw.js index d382c5a023f..9b9d0ce97d0 100644 --- a/apps/federatedfilesharing/l10n/sw.js +++ b/apps/federatedfilesharing/l10n/sw.js @@ -47,8 +47,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Shiriki nami kupitia Kitambulisho changu cha #Nextcloud Federated Cloud, ona, {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Shiriki nami kupitia Kitambulisho changu cha #Nextcloud Federated Cloud", "Share with me via Nextcloud" : "Shiriki nami kupitia Nextcloud", - "Cloud ID copied to the clipboard" : "Kitambulisho cha Cloud kimenakiliwa kwenye ubao wa kunakili", - "Copy to clipboard" : "Nakili kwenye ubao wa kunakili", + "Copy" : "Nakili", "Clipboard not available. Please copy the cloud ID manually." : "Ubao wa kunakili haupatikani. Tafadhali nakili kitambulisho cha cloud wewe mwenyewe.", "Copied!" : "Imenakiliwa!", "Federated Cloud" : "Shirikisho la Cloud", @@ -59,6 +58,7 @@ OC.L10N.register( "X (formerly Twitter)" : "X (zamani Twitter)", "formerly Twitter" : "zamani Twitter", "Mastodon" : "Mastodon", + "Bluesky" : "Angabluu", "Add to your website" : "Ongeza kwenye tovuti yako", "HTML Code:" : "Msimbo wa HTML:", "Cancel" : "Ghaili", @@ -66,6 +66,8 @@ OC.L10N.register( "Remote share" : "Kushiriki kwa mbali", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Je, ungependa kuongeza ushiriki wa mbali {name} tangu {owner}@{remote}?", "Remote share password" : "Nenosiri la kushiriki kwa mbali", - "Incoming share could not be processed" : "Ushiriki unaoingia haukuweza kuchakatwa" + "Incoming share could not be processed" : "Ushiriki unaoingia haukuweza kuchakatwa", + "Cloud ID copied to the clipboard" : "Kitambulisho cha Cloud kimenakiliwa kwenye ubao wa kunakili", + "Copy to clipboard" : "Nakili kwenye ubao wa kunakili" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/sw.json b/apps/federatedfilesharing/l10n/sw.json index 8dee7899f99..21f8e0f4d3f 100644 --- a/apps/federatedfilesharing/l10n/sw.json +++ b/apps/federatedfilesharing/l10n/sw.json @@ -45,8 +45,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Shiriki nami kupitia Kitambulisho changu cha #Nextcloud Federated Cloud, ona, {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Shiriki nami kupitia Kitambulisho changu cha #Nextcloud Federated Cloud", "Share with me via Nextcloud" : "Shiriki nami kupitia Nextcloud", - "Cloud ID copied to the clipboard" : "Kitambulisho cha Cloud kimenakiliwa kwenye ubao wa kunakili", - "Copy to clipboard" : "Nakili kwenye ubao wa kunakili", + "Copy" : "Nakili", "Clipboard not available. Please copy the cloud ID manually." : "Ubao wa kunakili haupatikani. Tafadhali nakili kitambulisho cha cloud wewe mwenyewe.", "Copied!" : "Imenakiliwa!", "Federated Cloud" : "Shirikisho la Cloud", @@ -57,6 +56,7 @@ "X (formerly Twitter)" : "X (zamani Twitter)", "formerly Twitter" : "zamani Twitter", "Mastodon" : "Mastodon", + "Bluesky" : "Angabluu", "Add to your website" : "Ongeza kwenye tovuti yako", "HTML Code:" : "Msimbo wa HTML:", "Cancel" : "Ghaili", @@ -64,6 +64,8 @@ "Remote share" : "Kushiriki kwa mbali", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Je, ungependa kuongeza ushiriki wa mbali {name} tangu {owner}@{remote}?", "Remote share password" : "Nenosiri la kushiriki kwa mbali", - "Incoming share could not be processed" : "Ushiriki unaoingia haukuweza kuchakatwa" + "Incoming share could not be processed" : "Ushiriki unaoingia haukuweza kuchakatwa", + "Cloud ID copied to the clipboard" : "Kitambulisho cha Cloud kimenakiliwa kwenye ubao wa kunakili", + "Copy to clipboard" : "Nakili kwenye ubao wa kunakili" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/tr.js b/apps/federatedfilesharing/l10n/tr.js index aab50a4a5e9..73576de9687 100644 --- a/apps/federatedfilesharing/l10n/tr.js +++ b/apps/federatedfilesharing/l10n/tr.js @@ -47,8 +47,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "#Nextcloud birleşik bulut kimliğim ile paylaş, {url} adresine bakın", "Share with me through my #Nextcloud Federated Cloud ID" : "#Nextcloud birleşik bulut kimliğim üzerinden benimle paylaş", "Share with me via Nextcloud" : "Benimle Nextcloud üzerinden paylaşın", - "Cloud ID copied to the clipboard" : "Bulut kimliği panoya kopyalandı", - "Copy to clipboard" : "Panoya kopyala", + "Copy" : "Kopyala", "Clipboard not available. Please copy the cloud ID manually." : "Pano kullanılamıyor. Lütfen bulut kimliğini el ile kopyalayın.", "Copied!" : "Kopyalandı!", "Federated Cloud" : "Birleşik bulut", @@ -66,6 +65,8 @@ OC.L10N.register( "Remote share" : "Uzak paylaşım", "Do you want to add the remote share {name} from {owner}@{remote}?" : "{owner}@{remote} konumundan {name} uzak paylaşımını eklemek istiyor musunuz?", "Remote share password" : "Uzak paylaşım parolası", - "Incoming share could not be processed" : "Gelen paylaşım işlenemedi" + "Incoming share could not be processed" : "Gelen paylaşım işlenemedi", + "Cloud ID copied to the clipboard" : "Bulut kimliği panoya kopyalandı", + "Copy to clipboard" : "Panoya kopyala" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/federatedfilesharing/l10n/tr.json b/apps/federatedfilesharing/l10n/tr.json index f8c47cffd6e..9cdb2bbd0dd 100644 --- a/apps/federatedfilesharing/l10n/tr.json +++ b/apps/federatedfilesharing/l10n/tr.json @@ -45,8 +45,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "#Nextcloud birleşik bulut kimliğim ile paylaş, {url} adresine bakın", "Share with me through my #Nextcloud Federated Cloud ID" : "#Nextcloud birleşik bulut kimliğim üzerinden benimle paylaş", "Share with me via Nextcloud" : "Benimle Nextcloud üzerinden paylaşın", - "Cloud ID copied to the clipboard" : "Bulut kimliği panoya kopyalandı", - "Copy to clipboard" : "Panoya kopyala", + "Copy" : "Kopyala", "Clipboard not available. Please copy the cloud ID manually." : "Pano kullanılamıyor. Lütfen bulut kimliğini el ile kopyalayın.", "Copied!" : "Kopyalandı!", "Federated Cloud" : "Birleşik bulut", @@ -64,6 +63,8 @@ "Remote share" : "Uzak paylaşım", "Do you want to add the remote share {name} from {owner}@{remote}?" : "{owner}@{remote} konumundan {name} uzak paylaşımını eklemek istiyor musunuz?", "Remote share password" : "Uzak paylaşım parolası", - "Incoming share could not be processed" : "Gelen paylaşım işlenemedi" + "Incoming share could not be processed" : "Gelen paylaşım işlenemedi", + "Cloud ID copied to the clipboard" : "Bulut kimliği panoya kopyalandı", + "Copy to clipboard" : "Panoya kopyala" },"pluralForm" :"nplurals=2; plural=(n > 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/ug.js b/apps/federatedfilesharing/l10n/ug.js index 453ede753cb..c1d79913816 100644 --- a/apps/federatedfilesharing/l10n/ug.js +++ b/apps/federatedfilesharing/l10n/ug.js @@ -33,8 +33,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "#Nextcloud فېدېراتسىيە بۇلۇت كىملىكىم ئارقىلىق مەن بىلەن ئورتاقلىشىڭ ، {url} see نى كۆرۈڭ", "Share with me through my #Nextcloud Federated Cloud ID" : "مېنىڭ # كېيىنكى بۇلۇت فېدېراتسىيە بۇلۇت كىملىكىم ئارقىلىق مەن بىلەن ئورتاقلىشىڭ", "Share with me via Nextcloud" : "Nextcloud ئارقىلىق مەن بىلەن ئورتاقلىشىڭ", - "Cloud ID copied to the clipboard" : "بۇلۇت كىملىكى چاپلاش تاختىسىغا كۆچۈرۈلدى", - "Copy to clipboard" : "چاپلاش تاختىسىغا كۆچۈرۈڭ", + "Copy" : "كۆچۈرۈڭ", "Clipboard not available. Please copy the cloud ID manually." : "چاپلاش تاختىسى يوق. بۇلۇت كىملىكىنى قولدا كۆچۈرۈڭ.", "Copied!" : "كۆچۈرۈلگەن!", "Federated Cloud" : "فېدېراتسىيە بۇلۇت", @@ -52,6 +51,8 @@ OC.L10N.register( "Remote share" : "يىراقتىن ئورتاقلىشىش", "Do you want to add the remote share {name} from {owner}@{remote}?" : "{remote} @ {owner} دىن يىراقتىن ئورتاقلىشىش {name} add نى قوشماقچىمۇ؟", "Remote share password" : "يىراقتىن ئورتاقلىشىش پارولى", - "Incoming share could not be processed" : "كەلگەن ئۈلۈشنى بىر تەرەپ قىلغىلى بولمايدۇ" + "Incoming share could not be processed" : "كەلگەن ئۈلۈشنى بىر تەرەپ قىلغىلى بولمايدۇ", + "Cloud ID copied to the clipboard" : "بۇلۇت كىملىكى چاپلاش تاختىسىغا كۆچۈرۈلدى", + "Copy to clipboard" : "چاپلاش تاختىسىغا كۆچۈرۈڭ" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/federatedfilesharing/l10n/ug.json b/apps/federatedfilesharing/l10n/ug.json index aa74fb54d81..9db6428e852 100644 --- a/apps/federatedfilesharing/l10n/ug.json +++ b/apps/federatedfilesharing/l10n/ug.json @@ -31,8 +31,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "#Nextcloud فېدېراتسىيە بۇلۇت كىملىكىم ئارقىلىق مەن بىلەن ئورتاقلىشىڭ ، {url} see نى كۆرۈڭ", "Share with me through my #Nextcloud Federated Cloud ID" : "مېنىڭ # كېيىنكى بۇلۇت فېدېراتسىيە بۇلۇت كىملىكىم ئارقىلىق مەن بىلەن ئورتاقلىشىڭ", "Share with me via Nextcloud" : "Nextcloud ئارقىلىق مەن بىلەن ئورتاقلىشىڭ", - "Cloud ID copied to the clipboard" : "بۇلۇت كىملىكى چاپلاش تاختىسىغا كۆچۈرۈلدى", - "Copy to clipboard" : "چاپلاش تاختىسىغا كۆچۈرۈڭ", + "Copy" : "كۆچۈرۈڭ", "Clipboard not available. Please copy the cloud ID manually." : "چاپلاش تاختىسى يوق. بۇلۇت كىملىكىنى قولدا كۆچۈرۈڭ.", "Copied!" : "كۆچۈرۈلگەن!", "Federated Cloud" : "فېدېراتسىيە بۇلۇت", @@ -50,6 +49,8 @@ "Remote share" : "يىراقتىن ئورتاقلىشىش", "Do you want to add the remote share {name} from {owner}@{remote}?" : "{remote} @ {owner} دىن يىراقتىن ئورتاقلىشىش {name} add نى قوشماقچىمۇ؟", "Remote share password" : "يىراقتىن ئورتاقلىشىش پارولى", - "Incoming share could not be processed" : "كەلگەن ئۈلۈشنى بىر تەرەپ قىلغىلى بولمايدۇ" + "Incoming share could not be processed" : "كەلگەن ئۈلۈشنى بىر تەرەپ قىلغىلى بولمايدۇ", + "Cloud ID copied to the clipboard" : "بۇلۇت كىملىكى چاپلاش تاختىسىغا كۆچۈرۈلدى", + "Copy to clipboard" : "چاپلاش تاختىسىغا كۆچۈرۈڭ" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/uk.js b/apps/federatedfilesharing/l10n/uk.js index 24052f96d12..adc8acdb367 100644 --- a/apps/federatedfilesharing/l10n/uk.js +++ b/apps/federatedfilesharing/l10n/uk.js @@ -47,8 +47,8 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Поділіться зі мною через мій #Nextcloud Federated Cloud ID, див. {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Поділіться зі мною через мій #Nextcloud Federated Cloud ID", "Share with me via Nextcloud" : "Поділися зі мною через Nextcloud", - "Cloud ID copied to the clipboard" : "Cloud ID скопійовано в буфер обміну", - "Copy to clipboard" : "Копіювати до буферу обміну", + "Cloud ID copied" : "Хмарний ідентифікатор скопійовано", + "Copy" : "Копіювати", "Clipboard not available. Please copy the cloud ID manually." : "Буфер обміну недоступний. Будь ласка, скопіюйте ідентифікатор хмари вручну.", "Copied!" : "Скопійовано!", "Federated Cloud" : "Об'єднана хмара", @@ -67,6 +67,8 @@ OC.L10N.register( "Remote share" : "Віддалений каталог", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Додати віддалений каталог {name} з {owner}@{remote}?", "Remote share password" : "Пароль для віддаленого каталогу", - "Incoming share could not be processed" : "Неможливо обробити вхідну частку" + "Incoming share could not be processed" : "Неможливо обробити вхідну частку", + "Cloud ID copied to the clipboard" : "Cloud ID скопійовано в буфер обміну", + "Copy to clipboard" : "Копіювати до буферу обміну" }, "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/federatedfilesharing/l10n/uk.json b/apps/federatedfilesharing/l10n/uk.json index 039646b3e19..7a35ac59682 100644 --- a/apps/federatedfilesharing/l10n/uk.json +++ b/apps/federatedfilesharing/l10n/uk.json @@ -45,8 +45,8 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "Поділіться зі мною через мій #Nextcloud Federated Cloud ID, див. {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "Поділіться зі мною через мій #Nextcloud Federated Cloud ID", "Share with me via Nextcloud" : "Поділися зі мною через Nextcloud", - "Cloud ID copied to the clipboard" : "Cloud ID скопійовано в буфер обміну", - "Copy to clipboard" : "Копіювати до буферу обміну", + "Cloud ID copied" : "Хмарний ідентифікатор скопійовано", + "Copy" : "Копіювати", "Clipboard not available. Please copy the cloud ID manually." : "Буфер обміну недоступний. Будь ласка, скопіюйте ідентифікатор хмари вручну.", "Copied!" : "Скопійовано!", "Federated Cloud" : "Об'єднана хмара", @@ -65,6 +65,8 @@ "Remote share" : "Віддалений каталог", "Do you want to add the remote share {name} from {owner}@{remote}?" : "Додати віддалений каталог {name} з {owner}@{remote}?", "Remote share password" : "Пароль для віддаленого каталогу", - "Incoming share could not be processed" : "Неможливо обробити вхідну частку" + "Incoming share could not be processed" : "Неможливо обробити вхідну частку", + "Cloud ID copied to the clipboard" : "Cloud ID скопійовано в буфер обміну", + "Copy to clipboard" : "Копіювати до буферу обміну" },"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/federatedfilesharing/l10n/zh_CN.js b/apps/federatedfilesharing/l10n/zh_CN.js index f569a85b28d..e219d97787e 100644 --- a/apps/federatedfilesharing/l10n/zh_CN.js +++ b/apps/federatedfilesharing/l10n/zh_CN.js @@ -47,8 +47,7 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "通过我的 #Nextcloud 联合云 ID 与我分享文件,链接 {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "通过我的 #Nextcloud 联合云 ID 与我共享", "Share with me via Nextcloud" : "通过联合云与我共享", - "Cloud ID copied to the clipboard" : "云端 ID 已复制至剪切板", - "Copy to clipboard" : "复制到剪贴板", + "Copy" : "复制", "Clipboard not available. Please copy the cloud ID manually." : "剪贴板不可用,请手动复制云 ID。", "Copied!" : "已复制!", "Federated Cloud" : "联合云", @@ -67,6 +66,8 @@ OC.L10N.register( "Remote share" : "远程共享", "Do you want to add the remote share {name} from {owner}@{remote}?" : "您想要添加来自 {owner}@{remote}的远程共享 {name} 吗?", "Remote share password" : "远程共享密码", - "Incoming share could not be processed" : "无法处理传入共享" + "Incoming share could not be processed" : "无法处理传入共享", + "Cloud ID copied to the clipboard" : "云端 ID 已复制至剪切板", + "Copy to clipboard" : "复制到剪贴板" }, "nplurals=1; plural=0;"); diff --git a/apps/federatedfilesharing/l10n/zh_CN.json b/apps/federatedfilesharing/l10n/zh_CN.json index 975fd541979..dfa053bd36d 100644 --- a/apps/federatedfilesharing/l10n/zh_CN.json +++ b/apps/federatedfilesharing/l10n/zh_CN.json @@ -45,8 +45,7 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "通过我的 #Nextcloud 联合云 ID 与我分享文件,链接 {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "通过我的 #Nextcloud 联合云 ID 与我共享", "Share with me via Nextcloud" : "通过联合云与我共享", - "Cloud ID copied to the clipboard" : "云端 ID 已复制至剪切板", - "Copy to clipboard" : "复制到剪贴板", + "Copy" : "复制", "Clipboard not available. Please copy the cloud ID manually." : "剪贴板不可用,请手动复制云 ID。", "Copied!" : "已复制!", "Federated Cloud" : "联合云", @@ -65,6 +64,8 @@ "Remote share" : "远程共享", "Do you want to add the remote share {name} from {owner}@{remote}?" : "您想要添加来自 {owner}@{remote}的远程共享 {name} 吗?", "Remote share password" : "远程共享密码", - "Incoming share could not be processed" : "无法处理传入共享" + "Incoming share could not be processed" : "无法处理传入共享", + "Cloud ID copied to the clipboard" : "云端 ID 已复制至剪切板", + "Copy to clipboard" : "复制到剪贴板" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/zh_HK.js b/apps/federatedfilesharing/l10n/zh_HK.js index 77369ee243c..f49055e14e7 100644 --- a/apps/federatedfilesharing/l10n/zh_HK.js +++ b/apps/federatedfilesharing/l10n/zh_HK.js @@ -47,8 +47,8 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "可透過我的 #Nextcloud 聯盟雲端 ID 與我分享,請見 {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "可透過我的 #Nextcloud 聯盟雲端 ID 與我分享", "Share with me via Nextcloud" : "透過 Nextcloud 與我分享", - "Cloud ID copied to the clipboard" : "已複製 Cloud ID 至剪貼板", - "Copy to clipboard" : "複製到剪貼板", + "Cloud ID copied" : "已複製雲端 ID", + "Copy" : "複製", "Clipboard not available. Please copy the cloud ID manually." : "剪貼板不可用。請人手複製 cloud ID。", "Copied!" : "已複製!", "Federated Cloud" : "聯盟式雲端", @@ -67,6 +67,8 @@ OC.L10N.register( "Remote share" : "遠端分享", "Do you want to add the remote share {name} from {owner}@{remote}?" : "是否要加入來自 {owner}@{remote} 的遠端分享 {name} ?", "Remote share password" : "遠端分享密碼", - "Incoming share could not be processed" : "無法處理傳入的分享" + "Incoming share could not be processed" : "無法處理傳入的分享", + "Cloud ID copied to the clipboard" : "已複製 Cloud ID 至剪貼板", + "Copy to clipboard" : "複製到剪貼板" }, "nplurals=1; plural=0;"); diff --git a/apps/federatedfilesharing/l10n/zh_HK.json b/apps/federatedfilesharing/l10n/zh_HK.json index 056d11d2e49..0ca2f7b57e6 100644 --- a/apps/federatedfilesharing/l10n/zh_HK.json +++ b/apps/federatedfilesharing/l10n/zh_HK.json @@ -45,8 +45,8 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "可透過我的 #Nextcloud 聯盟雲端 ID 與我分享,請見 {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "可透過我的 #Nextcloud 聯盟雲端 ID 與我分享", "Share with me via Nextcloud" : "透過 Nextcloud 與我分享", - "Cloud ID copied to the clipboard" : "已複製 Cloud ID 至剪貼板", - "Copy to clipboard" : "複製到剪貼板", + "Cloud ID copied" : "已複製雲端 ID", + "Copy" : "複製", "Clipboard not available. Please copy the cloud ID manually." : "剪貼板不可用。請人手複製 cloud ID。", "Copied!" : "已複製!", "Federated Cloud" : "聯盟式雲端", @@ -65,6 +65,8 @@ "Remote share" : "遠端分享", "Do you want to add the remote share {name} from {owner}@{remote}?" : "是否要加入來自 {owner}@{remote} 的遠端分享 {name} ?", "Remote share password" : "遠端分享密碼", - "Incoming share could not be processed" : "無法處理傳入的分享" + "Incoming share could not be processed" : "無法處理傳入的分享", + "Cloud ID copied to the clipboard" : "已複製 Cloud ID 至剪貼板", + "Copy to clipboard" : "複製到剪貼板" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/l10n/zh_TW.js b/apps/federatedfilesharing/l10n/zh_TW.js index 8bd83454a64..aecf63158f4 100644 --- a/apps/federatedfilesharing/l10n/zh_TW.js +++ b/apps/federatedfilesharing/l10n/zh_TW.js @@ -47,8 +47,8 @@ OC.L10N.register( "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "透過我的 #Nextcloud 聯邦雲端 ID 與我分享,請見 {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "透過我的 #Nextcloud 聯邦雲端 ID 與我分享", "Share with me via Nextcloud" : "透過 Nextcloud 與我分享", - "Cloud ID copied to the clipboard" : "雲端 ID 已複製到剪貼簿", - "Copy to clipboard" : "複製到剪貼簿", + "Cloud ID copied" : "已複製雲端 ID", + "Copy" : "複製", "Clipboard not available. Please copy the cloud ID manually." : "無法使用剪貼簿。請手動複製雲端 ID。", "Copied!" : "已複製!", "Federated Cloud" : "聯邦雲端", @@ -59,6 +59,7 @@ OC.L10N.register( "X (formerly Twitter)" : "X(前身為 Twitter)", "formerly Twitter" : "前身為 Twitter", "Mastodon" : "Mastodon", + "Bluesky" : "Bluesky", "Add to your website" : "新增至您的網站", "HTML Code:" : "HTML 程式碼:", "Cancel" : "取消", @@ -66,6 +67,8 @@ OC.L10N.register( "Remote share" : "遠端分享", "Do you want to add the remote share {name} from {owner}@{remote}?" : "是否要新增來自 {owner}@{remote} 的遠端分享 {name} ?", "Remote share password" : "遠端分享密碼", - "Incoming share could not be processed" : "無法處理收到的分享" + "Incoming share could not be processed" : "無法處理收到的分享", + "Cloud ID copied to the clipboard" : "雲端 ID 已複製到剪貼簿", + "Copy to clipboard" : "複製到剪貼簿" }, "nplurals=1; plural=0;"); diff --git a/apps/federatedfilesharing/l10n/zh_TW.json b/apps/federatedfilesharing/l10n/zh_TW.json index 24ec8d34df4..4c0f03e15fd 100644 --- a/apps/federatedfilesharing/l10n/zh_TW.json +++ b/apps/federatedfilesharing/l10n/zh_TW.json @@ -45,8 +45,8 @@ "Share with me through my #Nextcloud Federated Cloud ID, see {url}" : "透過我的 #Nextcloud 聯邦雲端 ID 與我分享,請見 {url}", "Share with me through my #Nextcloud Federated Cloud ID" : "透過我的 #Nextcloud 聯邦雲端 ID 與我分享", "Share with me via Nextcloud" : "透過 Nextcloud 與我分享", - "Cloud ID copied to the clipboard" : "雲端 ID 已複製到剪貼簿", - "Copy to clipboard" : "複製到剪貼簿", + "Cloud ID copied" : "已複製雲端 ID", + "Copy" : "複製", "Clipboard not available. Please copy the cloud ID manually." : "無法使用剪貼簿。請手動複製雲端 ID。", "Copied!" : "已複製!", "Federated Cloud" : "聯邦雲端", @@ -57,6 +57,7 @@ "X (formerly Twitter)" : "X(前身為 Twitter)", "formerly Twitter" : "前身為 Twitter", "Mastodon" : "Mastodon", + "Bluesky" : "Bluesky", "Add to your website" : "新增至您的網站", "HTML Code:" : "HTML 程式碼:", "Cancel" : "取消", @@ -64,6 +65,8 @@ "Remote share" : "遠端分享", "Do you want to add the remote share {name} from {owner}@{remote}?" : "是否要新增來自 {owner}@{remote} 的遠端分享 {name} ?", "Remote share password" : "遠端分享密碼", - "Incoming share could not be processed" : "無法處理收到的分享" + "Incoming share could not be processed" : "無法處理收到的分享", + "Cloud ID copied to the clipboard" : "雲端 ID 已複製到剪貼簿", + "Copy to clipboard" : "複製到剪貼簿" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/federatedfilesharing/src/components/PersonalSettings.vue b/apps/federatedfilesharing/src/components/PersonalSettings.vue index 7906d4c31d8..e58031d5653 100644 --- a/apps/federatedfilesharing/src/components/PersonalSettings.vue +++ b/apps/federatedfilesharing/src/components/PersonalSettings.vue @@ -156,14 +156,14 @@ export default { </a>` }, copyLinkTooltip() { - return this.isCopied ? t('federatedfilesharing', 'Cloud ID copied to the clipboard') : t('federatedfilesharing', 'Copy to clipboard') + return this.isCopied ? t('federatedfilesharing', 'Cloud ID copied') : t('federatedfilesharing', 'Copy') }, }, methods: { async copyCloudId(): Promise<void> { try { await navigator.clipboard.writeText(this.cloudId) - showSuccess(t('federatedfilesharing', 'Cloud ID copied to the clipboard')) + showSuccess(t('federatedfilesharing', 'Cloud ID copied')) } catch (e) { // no secure context or really old browser - need a fallback window.prompt(t('federatedfilesharing', 'Clipboard not available. Please copy the cloud ID manually.'), this.reference) diff --git a/apps/federation/lib/TrustedServers.php b/apps/federation/lib/TrustedServers.php index 3b849c80f17..3d15cfac448 100644 --- a/apps/federation/lib/TrustedServers.php +++ b/apps/federation/lib/TrustedServers.php @@ -116,12 +116,13 @@ class TrustedServers { $this->trustedServersCache = $this->dbHandler->getAllServer(); } - $server = array_filter($this->trustedServersCache, fn ($server) => $server['id'] === $id); - if (empty($server)) { - throw new \Exception('No server found with ID: ' . $id); + foreach ($this->trustedServersCache as $server) { + if ($server['id'] === $id) { + return $server; + } } - return $server[0]; + throw new \Exception('No server found with ID: ' . $id); } /** diff --git a/apps/federation/tests/TrustedServersTest.php b/apps/federation/tests/TrustedServersTest.php index c8477f637cb..0c900f6edf7 100644 --- a/apps/federation/tests/TrustedServersTest.php +++ b/apps/federation/tests/TrustedServersTest.php @@ -144,6 +144,64 @@ class TrustedServersTest extends TestCase { ); } + public static function dataTestGetServer() { + return [ + [ + 15, + [ + 'id' => 15, + 'otherData' => 'first server', + ] + ], + [ + 16, + [ + 'id' => 16, + 'otherData' => 'second server', + ] + ], + [ + 42, + [ + 'id' => 42, + 'otherData' => 'last server', + ] + ], + [ + 108, + null + ], + ]; + } + + #[\PHPUnit\Framework\Attributes\DataProvider('dataTestGetServer')] + public function testGetServer(int $id, ?array $expectedServer): void { + $servers = [ + [ + 'id' => 15, + 'otherData' => 'first server', + ], + [ + 'id' => 16, + 'otherData' => 'second server', + ], + [ + 'id' => 42, + 'otherData' => 'last server', + ], + ]; + $this->dbHandler->expects($this->once())->method('getAllServer')->willReturn($servers); + + if ($expectedServer === null) { + $this->expectException(\Exception::class); + $this->expectExceptionMessage('No server found with ID: ' . $id); + } + + $this->assertEquals( + $expectedServer, + $this->trustedServers->getServer($id) + ); + } public function testIsTrustedServer(): void { $this->dbHandler->expects($this->once()) diff --git a/apps/files/appinfo/info.xml b/apps/files/appinfo/info.xml index aedcd5b7ed5..fb53cef79b8 100644 --- a/apps/files/appinfo/info.xml +++ b/apps/files/appinfo/info.xml @@ -53,6 +53,8 @@ <command>OCA\Files\Command\Object\Info</command> <command>OCA\Files\Command\Object\ListObject</command> <command>OCA\Files\Command\Object\Orphans</command> + <command>OCA\Files\Command\Object\Multi\Users</command> + <command>OCA\Files\Command\Object\Multi\Rename</command> <command>OCA\Files\Command\WindowsCompatibleFilenames</command> </commands> diff --git a/apps/files/composer/composer/autoload_classmap.php b/apps/files/composer/composer/autoload_classmap.php index 070cb46de38..0c0f734251f 100644 --- a/apps/files/composer/composer/autoload_classmap.php +++ b/apps/files/composer/composer/autoload_classmap.php @@ -37,6 +37,8 @@ return array( 'OCA\\Files\\Command\\Object\\Get' => $baseDir . '/../lib/Command/Object/Get.php', 'OCA\\Files\\Command\\Object\\Info' => $baseDir . '/../lib/Command/Object/Info.php', 'OCA\\Files\\Command\\Object\\ListObject' => $baseDir . '/../lib/Command/Object/ListObject.php', + 'OCA\\Files\\Command\\Object\\Multi\\Rename' => $baseDir . '/../lib/Command/Object/Multi/Rename.php', + 'OCA\\Files\\Command\\Object\\Multi\\Users' => $baseDir . '/../lib/Command/Object/Multi/Users.php', 'OCA\\Files\\Command\\Object\\ObjectUtil' => $baseDir . '/../lib/Command/Object/ObjectUtil.php', 'OCA\\Files\\Command\\Object\\Orphans' => $baseDir . '/../lib/Command/Object/Orphans.php', 'OCA\\Files\\Command\\Object\\Put' => $baseDir . '/../lib/Command/Object/Put.php', diff --git a/apps/files/composer/composer/autoload_static.php b/apps/files/composer/composer/autoload_static.php index ce79d370e7c..19310ed4e92 100644 --- a/apps/files/composer/composer/autoload_static.php +++ b/apps/files/composer/composer/autoload_static.php @@ -52,6 +52,8 @@ class ComposerStaticInitFiles 'OCA\\Files\\Command\\Object\\Get' => __DIR__ . '/..' . '/../lib/Command/Object/Get.php', 'OCA\\Files\\Command\\Object\\Info' => __DIR__ . '/..' . '/../lib/Command/Object/Info.php', 'OCA\\Files\\Command\\Object\\ListObject' => __DIR__ . '/..' . '/../lib/Command/Object/ListObject.php', + 'OCA\\Files\\Command\\Object\\Multi\\Rename' => __DIR__ . '/..' . '/../lib/Command/Object/Multi/Rename.php', + 'OCA\\Files\\Command\\Object\\Multi\\Users' => __DIR__ . '/..' . '/../lib/Command/Object/Multi/Users.php', 'OCA\\Files\\Command\\Object\\ObjectUtil' => __DIR__ . '/..' . '/../lib/Command/Object/ObjectUtil.php', 'OCA\\Files\\Command\\Object\\Orphans' => __DIR__ . '/..' . '/../lib/Command/Object/Orphans.php', 'OCA\\Files\\Command\\Object\\Put' => __DIR__ . '/..' . '/../lib/Command/Object/Put.php', diff --git a/apps/files/l10n/ar.js b/apps/files/l10n/ar.js index a8abae562f9..d57aec00b76 100644 --- a/apps/files/l10n/ar.js +++ b/apps/files/l10n/ar.js @@ -111,9 +111,6 @@ OC.L10N.register( "Name" : "الاسم", "File type" : "نوع الملف", "Size" : "الحجم", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" فشل في بعض العناصر", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" حزمة الأوامر تم تنفيذها بنجاح", - "\"{displayName}\" action failed" : "\"{displayName}\" الأمر أخفق عند التنفيذ", "Actions" : "الإجراءات", "(selected)" : "(تم اختياره)", "List of files and folders." : "قائمة الملفات والمجلدات", @@ -122,7 +119,6 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "لم يتم عرض هذه القائمة بالكامل لأسباب تتعلق بالأداء. سيتم عرض الملفات تباعاً أثناء التنقل عبر القائمة.", "File not found" : "تعذر العثور على الملف", "_{count} selected_::_{count} selected_" : ["{count} تمّ تحديده","{count} تمّ تحديده","{count} تمّ تحديده","{count} تمّ تحديده","{count} تمّ تحديده","{count} تمّ تحديده"], - "Search globally" : "بحث عام", "{usedQuotaByte} used" : "{usedQuotaByte} مستخدمة", "{used} of {quota} used" : "{used} من {quota} مستخدم", "{relative}% used" : "{relative}% مستخدمة", @@ -171,7 +167,6 @@ OC.L10N.register( "Error during upload: {message}" : "حدث خطأ أثناء الرفع: {message}", "Error during upload, status code {status}" : "حدث خطأ أثناء الرفع. رمز الحالة {status}", "Unknown error during upload" : "خطأ غير محدد حدث أثناء الرفع", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" الأمر نُفّذ بنجاح", "Loading current folder" : "تحميل المجلد الحالي", "Retry" : "أعِدِ المحاولة", "No files in here" : "لا توجد ملفات هنا ", @@ -184,43 +179,31 @@ OC.L10N.register( "File cannot be accessed" : "الملف لم يمكن الوصول إليه", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "إمّا أن الملف غير موجود أو أنك لا تمتلك الصلاحية لعرضه. أُطلُب من المُرسل أن يتشاركه معك.", "Clipboard is not available" : "الحافظة غير متاحة", - "WebDAV URL copied to clipboard" : "تم نسخ WebDAV URL إلى الحافظة", + "General" : "عامٌّ", "All files" : "كل الملفات", "Personal files" : "ملفات شخصية", "Sort favorites first" : "فرز المفضلة أولا", "Sort folders before files" : "فرز المجلدات قبل الملفات", - "Enable folder tree" : "تمكين شجرة المجلدات", + "Appearance" : "المظهر", "Show hidden files" : "عرض الملفات المخفية", "Show file type column" : "عرض عمود نوع الملف", "Crop image previews" : "اقتصاص صورة العروض", "Additional settings" : "الإعدادات المتقدمة", "WebDAV" : "WebDAV", "WebDAV URL" : "عنوان URL لـ WebDAV", - "Copy to clipboard" : "نسخ الرابط", + "Copy" : "نسخ", "Warnings" : "تحذيرات", - "Prevent warning dialogs from open or reenable them." : "منع نوافذ التحذير من الفتح أو إعادة تمكينها.", - "Show a warning dialog when changing a file extension." : "أظهِر نافذة التحذير عندما يتم تغيير امتداد الملف.", "Keyboard shortcuts" : "اختصارات لوحة المفاتيح", - "Speed up your Files experience with these quick shortcuts." : "سرِّع تعاملك مع الملفات بهذه الاختصارات السريعة.", - "Open the actions menu for a file" : "إفتَح قائمة الإجراءات للملف", - "Rename a file" : "تغيير اسم ملف", - "Delete a file" : "حذف ملف", - "Favorite or remove a file from favorites" : "تفضيل أو إلغاء تفضيل ملف", - "Manage tags for a file" : "إدارة الوسوم لملف", + "File actions" : "إجراءات الملفات", + "Rename" : "إعادة التسمية", + "Delete" : "حذف ", + "Manage tags" : "إدارة الوسوم", "Selection" : "اختيار", "Select all files" : "تحديد كل الملفات", - "Deselect all files" : "إلغاء تحديد كل الملفات", - "Select or deselect a file" : "اختيار أو إلغاء اختيار ملف", - "Select a range of files" : "تحديد نطاق من الملفات", + "Deselect all" : "إلغاء تحديد الكل", "Navigation" : "التنقل", - "Navigate to the parent folder" : "إنتقِل إلى المجلد الأب", - "Navigate to the file above" : "إنتقِل إلى الملف أعلاه", - "Navigate to the file below" : "إنتقِل إلى الملف أسفله", - "Navigate to the file on the left (in grid mode)" : "إنتقِل إلى الملف أيسره (في الشبكة)", - "Navigate to the file on the right (in grid mode)" : "إنتقِل إلى الملف أيمنه (في الشبكة)", "View" : "عرض", - "Toggle the grid view" : "بدِّل وضعية الشبكة", - "Open the sidebar for a file" : "إفتَح الشريط الجانبي للملف", + "Toggle grid view" : "تفعيل/تعطيل وضع القائمة", "Show those shortcuts" : "أعرُض تلك الاختصارات", "You" : "أنت", "Shared multiple times with different people" : "تمّت مشاركته عدة مرات مع أشخاص متعددين", @@ -259,7 +242,6 @@ OC.L10N.register( "Delete files" : "حذف الملفات", "Delete folder" : "حذف مجلد", "Delete folders" : "حذف مجلدين", - "Delete" : "حذف ", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["أنت على وشك أن تحذف نهائياً {count} عنصراً","أنت على وشك أن تحذف نهائياً {count} عنصراً","أنت على وشك أن تحذف نهائياً {count} عنصراً","أنت على وشك أن تحذف نهائياً {count} عناصر","أنت على وشك أن تحذف نهائياً {count} عناصر","أنت على وشك حذف {count} عنصر بشكل نهائي "], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["أنت على وشك أن تحذف {count} عنصراً","أنت على وشك أن تحذف {count} عنصراً","أنت على وشك أن تحذف {count} عنصراً","أنت على وشك أن تحذف {count} عناصر","أنت على وشك أن تحذف {count} عناصر","أنت على وشك أن تحذف {count} عنصراً"], "Confirm deletion" : "تأكيد الحذف", @@ -277,7 +259,6 @@ OC.L10N.register( "The file does not exist anymore" : "الملف لم يعد موجوداً", "Choose destination" : "تحديد الوجهة", "Copy to {target}" : "نسخ إلى {target}", - "Copy" : "نسخ", "Move to {target}" : "نقل إلى {target}", "Move" : "نقل", "Move or copy operation failed" : "عملية النسخ أو النقل فشلت", @@ -290,8 +271,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "يجب أن يفتح الملف الآن على جهازك. إذا لم يحدث ذلك، فيرجى التأكد من تثبيت تطبيق سطح المكتب.", "Retry and close" : "أعِد المحاولة ثم أغلِق", "Open online" : "إفتَح مُتَّصِلاً بالإنترنت", - "Rename" : "إعادة التسمية", - "Open details" : "فتح التفاصيل", + "Details" : "التفاصيل", "View in folder" : "عرض في المجلد", "Today" : "اليوم", "Last 7 days" : "آخر 7 أيام", @@ -304,7 +284,7 @@ OC.L10N.register( "PDFs" : "ملفات PDF", "Folders" : "المجلدات", "Audio" : "صوت", - "Photos and images" : "الصور ", + "Images" : "الصِّوَر", "Videos" : "مقاطع فيديو", "Created new folder \"{name}\"" : "تمّ إنشاء مجلد جديد باسم \"{name}\"", "Unable to initialize the templates directory" : "تعذر تهيئة دليل القوالب", @@ -330,7 +310,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "الاسم \"{newName}\" مستعمل سلفاً في المجلد\"{dir}\". إختر اسماً آخر رجاءً.", "Could not rename \"{oldName}\"" : "تعذرت إعادة تسمية \"{oldName}\"", "This operation is forbidden" : "هذه العملية ممنوعة ", - "This directory is unavailable, please check the logs or contact the administrator" : "هذا المجلد غير متوفر، الرجاء مراجعة سجل الحركات أو الاتصال بمشرف النظام", "Storage is temporarily not available" : "وحدة التخزين غير متوفرة", "Unexpected error: {error}" : "خطأ غير متوقع: {error}", "_%n file_::_%n files_" : ["لا يوجد ملفات %n","%n ملف","ملفان","%n ملفات","%n ملف","%n ملفات"], @@ -381,12 +360,12 @@ OC.L10N.register( "Edit locally" : "تحرير الملف محلياً", "Open" : "فتح", "Could not load info for file \"{file}\"" : "فشل تحميل معلومات الملف \"{file}\"", - "Details" : "التفاصيل", "Please select tag(s) to add to the selection" : "يرجى تحديد علامة (علامات) لإضافتها إلى التحديد", "Apply tag(s) to selection" : "تطبيق وسم على التحديد", "Select directory \"{dirName}\"" : "حدِّد الدليل \"{dirName}\"", "Select file \"{fileName}\"" : "حدِّد الملف \"{fileName}\"", "Unable to determine date" : "تعذر تحديد التاريخ", + "This directory is unavailable, please check the logs or contact the administrator" : "هذا المجلد غير متوفر، الرجاء مراجعة سجل الحركات أو الاتصال بمشرف النظام", "Could not move \"{file}\", target exists" : "فشل نقل \"{file}\", الملف موجود بالفعل هناك", "Could not move \"{file}\"" : "فشل نقل \"{file}\"", "copy" : "نسخ", @@ -434,15 +413,24 @@ OC.L10N.register( "Not favored" : "غير مُفضّلة", "An error occurred while trying to update the tags" : "حدث خطأ اثناء محاولة تحديث الوسوم", "Upload (max. %s)" : "الرفع ( حد اقصى. %s ) ", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" الأمر نُفّذ بنجاح", + "\"{displayName}\" action failed" : "\"{displayName}\" الأمر أخفق عند التنفيذ", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" فشل في بعض العناصر", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" حزمة الأوامر تم تنفيذها بنجاح", "Submitting fields…" : "إرسال الحقول...", "Filter filenames…" : "تصفية باسم الملف...", + "WebDAV URL copied to clipboard" : "تم نسخ WebDAV URL إلى الحافظة", "Enable the grid view" : "تمكين العرض الشبكي", + "Enable folder tree" : "تمكين شجرة المجلدات", + "Copy to clipboard" : "نسخ الرابط", "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" : ".عملية النسخ أو النقل تمّ إلغاؤها", + "Open details" : "فتح التفاصيل", + "Photos and images" : "الصور ", "New folder creation cancelled" : "تمّ إلغاء عملية إنشاء مجلد جديد", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} مجلد","{folderCount} مجلد","{folderCount} مجلد","{folderCount} مجلدات","{folderCount} مجلد","{folderCount} مجلد"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} ملف","{fileCount} ملف","{fileCount} ملف","{fileCount} ملفات","{fileCount} ملف","{fileCount} ملف"], @@ -455,6 +443,24 @@ OC.L10N.register( "New text file.txt" : "ملف نصي جديد fille.txt", "renamed file" : "ملف معاد تسميته", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "بعد تمكين أسماء الملفات المتوافقة مع نظام التشغيل Windows، لا يمكن تعديل الملفات الموجودة بعد الآن ولكن يمكن إعادة تسميتها إلى أسماء جديدة صالحة بواسطة مالكها.", - "Filter file names …" : "تصفية بأسماء الملفات..." + "Filter file names …" : "تصفية بأسماء الملفات...", + "Prevent warning dialogs from open or reenable them." : "منع نوافذ التحذير من الفتح أو إعادة تمكينها.", + "Show a warning dialog when changing a file extension." : "أظهِر نافذة التحذير عندما يتم تغيير امتداد الملف.", + "Speed up your Files experience with these quick shortcuts." : "سرِّع تعاملك مع الملفات بهذه الاختصارات السريعة.", + "Open the actions menu for a file" : "إفتَح قائمة الإجراءات للملف", + "Rename a file" : "تغيير اسم ملف", + "Delete a file" : "حذف ملف", + "Favorite or remove a file from favorites" : "تفضيل أو إلغاء تفضيل ملف", + "Manage tags for a file" : "إدارة الوسوم لملف", + "Deselect all files" : "إلغاء تحديد كل الملفات", + "Select or deselect a file" : "اختيار أو إلغاء اختيار ملف", + "Select a range of files" : "تحديد نطاق من الملفات", + "Navigate to the parent folder" : "إنتقِل إلى المجلد الأب", + "Navigate to the file above" : "إنتقِل إلى الملف أعلاه", + "Navigate to the file below" : "إنتقِل إلى الملف أسفله", + "Navigate to the file on the left (in grid mode)" : "إنتقِل إلى الملف أيسره (في الشبكة)", + "Navigate to the file on the right (in grid mode)" : "إنتقِل إلى الملف أيمنه (في الشبكة)", + "Toggle the grid view" : "بدِّل وضعية الشبكة", + "Open the sidebar for a file" : "إفتَح الشريط الجانبي للملف" }, "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/l10n/ar.json b/apps/files/l10n/ar.json index f751c7c9950..815140534df 100644 --- a/apps/files/l10n/ar.json +++ b/apps/files/l10n/ar.json @@ -109,9 +109,6 @@ "Name" : "الاسم", "File type" : "نوع الملف", "Size" : "الحجم", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" فشل في بعض العناصر", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" حزمة الأوامر تم تنفيذها بنجاح", - "\"{displayName}\" action failed" : "\"{displayName}\" الأمر أخفق عند التنفيذ", "Actions" : "الإجراءات", "(selected)" : "(تم اختياره)", "List of files and folders." : "قائمة الملفات والمجلدات", @@ -120,7 +117,6 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "لم يتم عرض هذه القائمة بالكامل لأسباب تتعلق بالأداء. سيتم عرض الملفات تباعاً أثناء التنقل عبر القائمة.", "File not found" : "تعذر العثور على الملف", "_{count} selected_::_{count} selected_" : ["{count} تمّ تحديده","{count} تمّ تحديده","{count} تمّ تحديده","{count} تمّ تحديده","{count} تمّ تحديده","{count} تمّ تحديده"], - "Search globally" : "بحث عام", "{usedQuotaByte} used" : "{usedQuotaByte} مستخدمة", "{used} of {quota} used" : "{used} من {quota} مستخدم", "{relative}% used" : "{relative}% مستخدمة", @@ -169,7 +165,6 @@ "Error during upload: {message}" : "حدث خطأ أثناء الرفع: {message}", "Error during upload, status code {status}" : "حدث خطأ أثناء الرفع. رمز الحالة {status}", "Unknown error during upload" : "خطأ غير محدد حدث أثناء الرفع", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" الأمر نُفّذ بنجاح", "Loading current folder" : "تحميل المجلد الحالي", "Retry" : "أعِدِ المحاولة", "No files in here" : "لا توجد ملفات هنا ", @@ -182,43 +177,31 @@ "File cannot be accessed" : "الملف لم يمكن الوصول إليه", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "إمّا أن الملف غير موجود أو أنك لا تمتلك الصلاحية لعرضه. أُطلُب من المُرسل أن يتشاركه معك.", "Clipboard is not available" : "الحافظة غير متاحة", - "WebDAV URL copied to clipboard" : "تم نسخ WebDAV URL إلى الحافظة", + "General" : "عامٌّ", "All files" : "كل الملفات", "Personal files" : "ملفات شخصية", "Sort favorites first" : "فرز المفضلة أولا", "Sort folders before files" : "فرز المجلدات قبل الملفات", - "Enable folder tree" : "تمكين شجرة المجلدات", + "Appearance" : "المظهر", "Show hidden files" : "عرض الملفات المخفية", "Show file type column" : "عرض عمود نوع الملف", "Crop image previews" : "اقتصاص صورة العروض", "Additional settings" : "الإعدادات المتقدمة", "WebDAV" : "WebDAV", "WebDAV URL" : "عنوان URL لـ WebDAV", - "Copy to clipboard" : "نسخ الرابط", + "Copy" : "نسخ", "Warnings" : "تحذيرات", - "Prevent warning dialogs from open or reenable them." : "منع نوافذ التحذير من الفتح أو إعادة تمكينها.", - "Show a warning dialog when changing a file extension." : "أظهِر نافذة التحذير عندما يتم تغيير امتداد الملف.", "Keyboard shortcuts" : "اختصارات لوحة المفاتيح", - "Speed up your Files experience with these quick shortcuts." : "سرِّع تعاملك مع الملفات بهذه الاختصارات السريعة.", - "Open the actions menu for a file" : "إفتَح قائمة الإجراءات للملف", - "Rename a file" : "تغيير اسم ملف", - "Delete a file" : "حذف ملف", - "Favorite or remove a file from favorites" : "تفضيل أو إلغاء تفضيل ملف", - "Manage tags for a file" : "إدارة الوسوم لملف", + "File actions" : "إجراءات الملفات", + "Rename" : "إعادة التسمية", + "Delete" : "حذف ", + "Manage tags" : "إدارة الوسوم", "Selection" : "اختيار", "Select all files" : "تحديد كل الملفات", - "Deselect all files" : "إلغاء تحديد كل الملفات", - "Select or deselect a file" : "اختيار أو إلغاء اختيار ملف", - "Select a range of files" : "تحديد نطاق من الملفات", + "Deselect all" : "إلغاء تحديد الكل", "Navigation" : "التنقل", - "Navigate to the parent folder" : "إنتقِل إلى المجلد الأب", - "Navigate to the file above" : "إنتقِل إلى الملف أعلاه", - "Navigate to the file below" : "إنتقِل إلى الملف أسفله", - "Navigate to the file on the left (in grid mode)" : "إنتقِل إلى الملف أيسره (في الشبكة)", - "Navigate to the file on the right (in grid mode)" : "إنتقِل إلى الملف أيمنه (في الشبكة)", "View" : "عرض", - "Toggle the grid view" : "بدِّل وضعية الشبكة", - "Open the sidebar for a file" : "إفتَح الشريط الجانبي للملف", + "Toggle grid view" : "تفعيل/تعطيل وضع القائمة", "Show those shortcuts" : "أعرُض تلك الاختصارات", "You" : "أنت", "Shared multiple times with different people" : "تمّت مشاركته عدة مرات مع أشخاص متعددين", @@ -257,7 +240,6 @@ "Delete files" : "حذف الملفات", "Delete folder" : "حذف مجلد", "Delete folders" : "حذف مجلدين", - "Delete" : "حذف ", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["أنت على وشك أن تحذف نهائياً {count} عنصراً","أنت على وشك أن تحذف نهائياً {count} عنصراً","أنت على وشك أن تحذف نهائياً {count} عنصراً","أنت على وشك أن تحذف نهائياً {count} عناصر","أنت على وشك أن تحذف نهائياً {count} عناصر","أنت على وشك حذف {count} عنصر بشكل نهائي "], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["أنت على وشك أن تحذف {count} عنصراً","أنت على وشك أن تحذف {count} عنصراً","أنت على وشك أن تحذف {count} عنصراً","أنت على وشك أن تحذف {count} عناصر","أنت على وشك أن تحذف {count} عناصر","أنت على وشك أن تحذف {count} عنصراً"], "Confirm deletion" : "تأكيد الحذف", @@ -275,7 +257,6 @@ "The file does not exist anymore" : "الملف لم يعد موجوداً", "Choose destination" : "تحديد الوجهة", "Copy to {target}" : "نسخ إلى {target}", - "Copy" : "نسخ", "Move to {target}" : "نقل إلى {target}", "Move" : "نقل", "Move or copy operation failed" : "عملية النسخ أو النقل فشلت", @@ -288,8 +269,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "يجب أن يفتح الملف الآن على جهازك. إذا لم يحدث ذلك، فيرجى التأكد من تثبيت تطبيق سطح المكتب.", "Retry and close" : "أعِد المحاولة ثم أغلِق", "Open online" : "إفتَح مُتَّصِلاً بالإنترنت", - "Rename" : "إعادة التسمية", - "Open details" : "فتح التفاصيل", + "Details" : "التفاصيل", "View in folder" : "عرض في المجلد", "Today" : "اليوم", "Last 7 days" : "آخر 7 أيام", @@ -302,7 +282,7 @@ "PDFs" : "ملفات PDF", "Folders" : "المجلدات", "Audio" : "صوت", - "Photos and images" : "الصور ", + "Images" : "الصِّوَر", "Videos" : "مقاطع فيديو", "Created new folder \"{name}\"" : "تمّ إنشاء مجلد جديد باسم \"{name}\"", "Unable to initialize the templates directory" : "تعذر تهيئة دليل القوالب", @@ -328,7 +308,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "الاسم \"{newName}\" مستعمل سلفاً في المجلد\"{dir}\". إختر اسماً آخر رجاءً.", "Could not rename \"{oldName}\"" : "تعذرت إعادة تسمية \"{oldName}\"", "This operation is forbidden" : "هذه العملية ممنوعة ", - "This directory is unavailable, please check the logs or contact the administrator" : "هذا المجلد غير متوفر، الرجاء مراجعة سجل الحركات أو الاتصال بمشرف النظام", "Storage is temporarily not available" : "وحدة التخزين غير متوفرة", "Unexpected error: {error}" : "خطأ غير متوقع: {error}", "_%n file_::_%n files_" : ["لا يوجد ملفات %n","%n ملف","ملفان","%n ملفات","%n ملف","%n ملفات"], @@ -379,12 +358,12 @@ "Edit locally" : "تحرير الملف محلياً", "Open" : "فتح", "Could not load info for file \"{file}\"" : "فشل تحميل معلومات الملف \"{file}\"", - "Details" : "التفاصيل", "Please select tag(s) to add to the selection" : "يرجى تحديد علامة (علامات) لإضافتها إلى التحديد", "Apply tag(s) to selection" : "تطبيق وسم على التحديد", "Select directory \"{dirName}\"" : "حدِّد الدليل \"{dirName}\"", "Select file \"{fileName}\"" : "حدِّد الملف \"{fileName}\"", "Unable to determine date" : "تعذر تحديد التاريخ", + "This directory is unavailable, please check the logs or contact the administrator" : "هذا المجلد غير متوفر، الرجاء مراجعة سجل الحركات أو الاتصال بمشرف النظام", "Could not move \"{file}\", target exists" : "فشل نقل \"{file}\", الملف موجود بالفعل هناك", "Could not move \"{file}\"" : "فشل نقل \"{file}\"", "copy" : "نسخ", @@ -432,15 +411,24 @@ "Not favored" : "غير مُفضّلة", "An error occurred while trying to update the tags" : "حدث خطأ اثناء محاولة تحديث الوسوم", "Upload (max. %s)" : "الرفع ( حد اقصى. %s ) ", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" الأمر نُفّذ بنجاح", + "\"{displayName}\" action failed" : "\"{displayName}\" الأمر أخفق عند التنفيذ", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" فشل في بعض العناصر", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" حزمة الأوامر تم تنفيذها بنجاح", "Submitting fields…" : "إرسال الحقول...", "Filter filenames…" : "تصفية باسم الملف...", + "WebDAV URL copied to clipboard" : "تم نسخ WebDAV URL إلى الحافظة", "Enable the grid view" : "تمكين العرض الشبكي", + "Enable folder tree" : "تمكين شجرة المجلدات", + "Copy to clipboard" : "نسخ الرابط", "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" : ".عملية النسخ أو النقل تمّ إلغاؤها", + "Open details" : "فتح التفاصيل", + "Photos and images" : "الصور ", "New folder creation cancelled" : "تمّ إلغاء عملية إنشاء مجلد جديد", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} مجلد","{folderCount} مجلد","{folderCount} مجلد","{folderCount} مجلدات","{folderCount} مجلد","{folderCount} مجلد"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} ملف","{fileCount} ملف","{fileCount} ملف","{fileCount} ملفات","{fileCount} ملف","{fileCount} ملف"], @@ -453,6 +441,24 @@ "New text file.txt" : "ملف نصي جديد fille.txt", "renamed file" : "ملف معاد تسميته", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "بعد تمكين أسماء الملفات المتوافقة مع نظام التشغيل Windows، لا يمكن تعديل الملفات الموجودة بعد الآن ولكن يمكن إعادة تسميتها إلى أسماء جديدة صالحة بواسطة مالكها.", - "Filter file names …" : "تصفية بأسماء الملفات..." + "Filter file names …" : "تصفية بأسماء الملفات...", + "Prevent warning dialogs from open or reenable them." : "منع نوافذ التحذير من الفتح أو إعادة تمكينها.", + "Show a warning dialog when changing a file extension." : "أظهِر نافذة التحذير عندما يتم تغيير امتداد الملف.", + "Speed up your Files experience with these quick shortcuts." : "سرِّع تعاملك مع الملفات بهذه الاختصارات السريعة.", + "Open the actions menu for a file" : "إفتَح قائمة الإجراءات للملف", + "Rename a file" : "تغيير اسم ملف", + "Delete a file" : "حذف ملف", + "Favorite or remove a file from favorites" : "تفضيل أو إلغاء تفضيل ملف", + "Manage tags for a file" : "إدارة الوسوم لملف", + "Deselect all files" : "إلغاء تحديد كل الملفات", + "Select or deselect a file" : "اختيار أو إلغاء اختيار ملف", + "Select a range of files" : "تحديد نطاق من الملفات", + "Navigate to the parent folder" : "إنتقِل إلى المجلد الأب", + "Navigate to the file above" : "إنتقِل إلى الملف أعلاه", + "Navigate to the file below" : "إنتقِل إلى الملف أسفله", + "Navigate to the file on the left (in grid mode)" : "إنتقِل إلى الملف أيسره (في الشبكة)", + "Navigate to the file on the right (in grid mode)" : "إنتقِل إلى الملف أيمنه (في الشبكة)", + "Toggle the grid view" : "بدِّل وضعية الشبكة", + "Open the sidebar for a file" : "إفتَح الشريط الجانبي للملف" },"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/l10n/ast.js b/apps/files/l10n/ast.js index 4afad662551..69e85cb69fc 100644 --- a/apps/files/l10n/ast.js +++ b/apps/files/l10n/ast.js @@ -83,14 +83,11 @@ OC.L10N.register( "Toggle selection for all files and folders" : "Alternar la seleición de tolos ficheros y toles carpetes", "Name" : "Nome", "Size" : "Tamañu", - "\"{displayName}\" batch action executed successfully" : "L'aición per llotes «{displayName}» executóse correutamente", - "\"{displayName}\" action failed" : "L'aición «{displayName}» falló", "Actions" : "Aiciones", "List of files and folders." : "Una llista de ficheros y carpetes.", "Column headers with buttons are sortable." : "Les testeres de les columnes con botones puen ordenase.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Esta llista nun ta completa por motivos de rindimientu. Los ficheros van apaecer a midida que navegues pela llista.", "File not found" : "Nun s'atopó'l ficheru", - "Search globally" : "Buscar globalmente", "{usedQuotaByte} used" : "{usedQuotaByte} n'usu", "{used} of {quota} used" : "{used} de {quota} n'usu", "{relative}% used" : "{relative}% n'usu", @@ -124,7 +121,6 @@ OC.L10N.register( "Error during upload: {message}" : "Hebo un error demientres la xuba: {message}", "Error during upload, status code {status}" : "Hebo un error demientres la xuba. Cödigu d'estáu: {status}", "Unknown error during upload" : "Hebo un error desconocíu demientres la xuba", - "\"{displayName}\" action executed successfully" : "L'aición «{displayName}» executóse correutamente", "Loading current folder" : "Cargando la carpeta actual", "Retry" : "Retentar", "No files in here" : "Nun hai ficheros", @@ -137,21 +133,26 @@ OC.L10N.register( "File cannot be accessed" : "Nun se pue acceder al ficheru", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Nun se pudo atopar el ficheru o nun tienes permisu pa velu. Pidi al remitente que lu comparta.", "Clipboard is not available" : "El cartafueyu nun ta disponible", - "WebDAV URL copied to clipboard" : "La URL de WebDAV copióse nel cartafueyu", + "General" : "Xeneral", "All files" : "Tolos ficheros", "Personal files" : "Ficheros personales", "Sort favorites first" : "Ordenar los favoritos primero", "Sort folders before files" : "Ordenar les carpetes enantes que los ficheros", + "Appearance" : "Aspeutu", "Show hidden files" : "Amosar los ficheros anubríos", "Crop image previews" : "Recortar la previsualización d'imáxenes", "Additional settings" : "Configuración adicional", "WebDAV" : "WebDAV", "WebDAV URL" : "URL de WebDAV", - "Copy to clipboard" : "Copiar nel cartafueyu", + "Copy" : "Copiar", "Keyboard shortcuts" : "Atayos del tecláu", + "Rename" : "Renomar", + "Delete" : "Desaniciar", + "Manage tags" : "Xestionar les etiquetes", "Selection" : "Seleición", "Navigation" : "Navegación", "View" : "Ver", + "Toggle grid view" : "Alternar la vista de rexáu", "You" : "Tu", "Shared multiple times with different people" : "Compartióse múltiples vegaes con otres persones", "Error while loading the file data" : "Hebo un error mentanto de cargaben los datos de los ficheros", @@ -174,7 +175,6 @@ OC.L10N.register( "Delete files" : "Desaniciar los ficheros", "Delete folder" : "Desaniciar la carpeta", "Delete folders" : "Desaniciar les carpetes", - "Delete" : "Desaniciar", "Confirm deletion" : "Confirmar el desaniciu", "Cancel" : "Encaboxar", "Download" : "Baxar", @@ -188,7 +188,6 @@ OC.L10N.register( "The file does not exist anymore" : "El ficheru yá nun esiste", "Choose destination" : "Escoyer el destín", "Copy to {target}" : "Copiar a {target}", - "Copy" : "Copiar", "Move to {target}" : "Mover a {target}", "Move" : "Mover", "Move or copy operation failed" : "La operación de mover o copiar falló", @@ -197,8 +196,7 @@ OC.L10N.register( "Open in Files" : "Abrir en Ficheros", "Open locally" : "Abrir llocalmente", "Failed to redirect to client" : "Nun se pue redirixir al veceru", - "Rename" : "Renomar", - "Open details" : "Abrir los detalles", + "Details" : "Detalles", "View in folder" : "Ver na carpeta", "Today" : "Güei", "Last 7 days" : "Los últimos 7 díes", @@ -206,6 +204,7 @@ OC.L10N.register( "Documents" : "Documentos", "Folders" : "Carpetes", "Audio" : "Audiu", + "Images" : "Imáxenes", "Videos" : "Vídeos", "Created new folder \"{name}\"" : "Creóse la carpeta «{name}»", "Unable to initialize the templates directory" : "Nun ye posible aniciar el direutoriu de plantíes", @@ -230,7 +229,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "El nome «{newName}» yá ta n'usu na carpeta «{dir}». Escueyi otru nome.", "Could not rename \"{oldName}\"" : "Nun se pudo renomar «{oldName}»", "This operation is forbidden" : "Esta operación ta prohibida", - "This directory is unavailable, please check the logs or contact the administrator" : "Esti direutoriu nun ta disponible, revisa'l rexistru o ponte en contautu cola alministración.", "Storage is temporarily not available" : "L'almacenamientu nun ta disponible temporalmente", "_%n file_::_%n files_" : ["%n ficheru","%n ficheros"], "_%n folder_::_%n folders_" : ["%n carpeta","%n carpetes"], @@ -274,12 +272,12 @@ OC.L10N.register( "Edit locally" : "Editar llocalmente", "Open" : "Abrir", "Could not load info for file \"{file}\"" : "Nun se pudo cargar la información del ficheru «{file}»", - "Details" : "Detalles", "Please select tag(s) to add to the selection" : "Seleiciona les etiquetes que quies amestar a la seleición", "Apply tag(s) to selection" : "Aplicar les etiquetes a la seleición", "Select directory \"{dirName}\"" : "Seleicionar el direutoriu «{dirName}»", "Select file \"{fileName}\"" : "Seleicionar el ficheru «{fileName}»", "Unable to determine date" : "Nun ye posible determinar la data", + "This directory is unavailable, please check the logs or contact the administrator" : "Esti direutoriu nun ta disponible, revisa'l rexistru o ponte en contautu cola alministración.", "Could not move \"{file}\", target exists" : "Nun se pudo mover «{file}», el destín esiste", "Could not move \"{file}\"" : "Nun se pudo mover «{file}»", "copy" : "copia", @@ -324,12 +322,18 @@ OC.L10N.register( "Upload file" : "Xubir un ficheru", "An error occurred while trying to update the tags" : "Prodúxose un error al tentar d'anovar les etiquetes", "Upload (max. %s)" : "Xubir (%s como máximu)", + "\"{displayName}\" action executed successfully" : "L'aición «{displayName}» executóse correutamente", + "\"{displayName}\" action failed" : "L'aición «{displayName}» falló", + "\"{displayName}\" batch action executed successfully" : "L'aición per llotes «{displayName}» executóse correutamente", + "WebDAV URL copied to clipboard" : "La URL de WebDAV copióse nel cartafueyu", "Enable the grid view" : "Activar la vista de rexáu", + "Copy to clipboard" : "Copiar nel cartafueyu", "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", + "Open details" : "Abrir los detalles", "_{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 f694bad7c13..7224164279f 100644 --- a/apps/files/l10n/ast.json +++ b/apps/files/l10n/ast.json @@ -81,14 +81,11 @@ "Toggle selection for all files and folders" : "Alternar la seleición de tolos ficheros y toles carpetes", "Name" : "Nome", "Size" : "Tamañu", - "\"{displayName}\" batch action executed successfully" : "L'aición per llotes «{displayName}» executóse correutamente", - "\"{displayName}\" action failed" : "L'aición «{displayName}» falló", "Actions" : "Aiciones", "List of files and folders." : "Una llista de ficheros y carpetes.", "Column headers with buttons are sortable." : "Les testeres de les columnes con botones puen ordenase.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Esta llista nun ta completa por motivos de rindimientu. Los ficheros van apaecer a midida que navegues pela llista.", "File not found" : "Nun s'atopó'l ficheru", - "Search globally" : "Buscar globalmente", "{usedQuotaByte} used" : "{usedQuotaByte} n'usu", "{used} of {quota} used" : "{used} de {quota} n'usu", "{relative}% used" : "{relative}% n'usu", @@ -122,7 +119,6 @@ "Error during upload: {message}" : "Hebo un error demientres la xuba: {message}", "Error during upload, status code {status}" : "Hebo un error demientres la xuba. Cödigu d'estáu: {status}", "Unknown error during upload" : "Hebo un error desconocíu demientres la xuba", - "\"{displayName}\" action executed successfully" : "L'aición «{displayName}» executóse correutamente", "Loading current folder" : "Cargando la carpeta actual", "Retry" : "Retentar", "No files in here" : "Nun hai ficheros", @@ -135,21 +131,26 @@ "File cannot be accessed" : "Nun se pue acceder al ficheru", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Nun se pudo atopar el ficheru o nun tienes permisu pa velu. Pidi al remitente que lu comparta.", "Clipboard is not available" : "El cartafueyu nun ta disponible", - "WebDAV URL copied to clipboard" : "La URL de WebDAV copióse nel cartafueyu", + "General" : "Xeneral", "All files" : "Tolos ficheros", "Personal files" : "Ficheros personales", "Sort favorites first" : "Ordenar los favoritos primero", "Sort folders before files" : "Ordenar les carpetes enantes que los ficheros", + "Appearance" : "Aspeutu", "Show hidden files" : "Amosar los ficheros anubríos", "Crop image previews" : "Recortar la previsualización d'imáxenes", "Additional settings" : "Configuración adicional", "WebDAV" : "WebDAV", "WebDAV URL" : "URL de WebDAV", - "Copy to clipboard" : "Copiar nel cartafueyu", + "Copy" : "Copiar", "Keyboard shortcuts" : "Atayos del tecláu", + "Rename" : "Renomar", + "Delete" : "Desaniciar", + "Manage tags" : "Xestionar les etiquetes", "Selection" : "Seleición", "Navigation" : "Navegación", "View" : "Ver", + "Toggle grid view" : "Alternar la vista de rexáu", "You" : "Tu", "Shared multiple times with different people" : "Compartióse múltiples vegaes con otres persones", "Error while loading the file data" : "Hebo un error mentanto de cargaben los datos de los ficheros", @@ -172,7 +173,6 @@ "Delete files" : "Desaniciar los ficheros", "Delete folder" : "Desaniciar la carpeta", "Delete folders" : "Desaniciar les carpetes", - "Delete" : "Desaniciar", "Confirm deletion" : "Confirmar el desaniciu", "Cancel" : "Encaboxar", "Download" : "Baxar", @@ -186,7 +186,6 @@ "The file does not exist anymore" : "El ficheru yá nun esiste", "Choose destination" : "Escoyer el destín", "Copy to {target}" : "Copiar a {target}", - "Copy" : "Copiar", "Move to {target}" : "Mover a {target}", "Move" : "Mover", "Move or copy operation failed" : "La operación de mover o copiar falló", @@ -195,8 +194,7 @@ "Open in Files" : "Abrir en Ficheros", "Open locally" : "Abrir llocalmente", "Failed to redirect to client" : "Nun se pue redirixir al veceru", - "Rename" : "Renomar", - "Open details" : "Abrir los detalles", + "Details" : "Detalles", "View in folder" : "Ver na carpeta", "Today" : "Güei", "Last 7 days" : "Los últimos 7 díes", @@ -204,6 +202,7 @@ "Documents" : "Documentos", "Folders" : "Carpetes", "Audio" : "Audiu", + "Images" : "Imáxenes", "Videos" : "Vídeos", "Created new folder \"{name}\"" : "Creóse la carpeta «{name}»", "Unable to initialize the templates directory" : "Nun ye posible aniciar el direutoriu de plantíes", @@ -228,7 +227,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "El nome «{newName}» yá ta n'usu na carpeta «{dir}». Escueyi otru nome.", "Could not rename \"{oldName}\"" : "Nun se pudo renomar «{oldName}»", "This operation is forbidden" : "Esta operación ta prohibida", - "This directory is unavailable, please check the logs or contact the administrator" : "Esti direutoriu nun ta disponible, revisa'l rexistru o ponte en contautu cola alministración.", "Storage is temporarily not available" : "L'almacenamientu nun ta disponible temporalmente", "_%n file_::_%n files_" : ["%n ficheru","%n ficheros"], "_%n folder_::_%n folders_" : ["%n carpeta","%n carpetes"], @@ -272,12 +270,12 @@ "Edit locally" : "Editar llocalmente", "Open" : "Abrir", "Could not load info for file \"{file}\"" : "Nun se pudo cargar la información del ficheru «{file}»", - "Details" : "Detalles", "Please select tag(s) to add to the selection" : "Seleiciona les etiquetes que quies amestar a la seleición", "Apply tag(s) to selection" : "Aplicar les etiquetes a la seleición", "Select directory \"{dirName}\"" : "Seleicionar el direutoriu «{dirName}»", "Select file \"{fileName}\"" : "Seleicionar el ficheru «{fileName}»", "Unable to determine date" : "Nun ye posible determinar la data", + "This directory is unavailable, please check the logs or contact the administrator" : "Esti direutoriu nun ta disponible, revisa'l rexistru o ponte en contautu cola alministración.", "Could not move \"{file}\", target exists" : "Nun se pudo mover «{file}», el destín esiste", "Could not move \"{file}\"" : "Nun se pudo mover «{file}»", "copy" : "copia", @@ -322,12 +320,18 @@ "Upload file" : "Xubir un ficheru", "An error occurred while trying to update the tags" : "Prodúxose un error al tentar d'anovar les etiquetes", "Upload (max. %s)" : "Xubir (%s como máximu)", + "\"{displayName}\" action executed successfully" : "L'aición «{displayName}» executóse correutamente", + "\"{displayName}\" action failed" : "L'aición «{displayName}» falló", + "\"{displayName}\" batch action executed successfully" : "L'aición per llotes «{displayName}» executóse correutamente", + "WebDAV URL copied to clipboard" : "La URL de WebDAV copióse nel cartafueyu", "Enable the grid view" : "Activar la vista de rexáu", + "Copy to clipboard" : "Copiar nel cartafueyu", "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", + "Open details" : "Abrir los detalles", "_{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 2d0f09c5426..1c72fa29839 100644 --- a/apps/files/l10n/be.js +++ b/apps/files/l10n/be.js @@ -103,20 +103,22 @@ OC.L10N.register( "No search results for “{query}”" : "Няма вынікаў пошуку па запыце \"{query}\"", "Search for files" : "Пошук файлаў", "Clipboard is not available" : "Буфер абмену недаступны", - "WebDAV URL copied to clipboard" : "URL-адрас WebDAV скапіяваны ў буфер абмену", + "WebDAV URL copied" : "URL-адрас WebDAV скапіяваны", + "General" : "Агульныя", "All files" : "Усе файлы", "Personal files" : "Асабістыя файлы", - "Show files extensions" : "Паказваць пашырэнні файлаў", + "Appearance" : "Знешні выгляд", + "Show file extensions" : "Паказваць пашырэнні файлаў", "WebDAV" : "WebDAV", "WebDAV URL" : "URL-адрас WebDAV", - "Copy to clipboard" : "Капіяваць у буфер абмену", + "Copy" : "Капіяваць", "Warnings" : "Папярэджанні", "Keyboard shortcuts" : "Спалучэнні клавіш", - "Rename a file" : "Перайменаваць файл", - "Delete a file" : "Выдаліць файл", + "File actions" : "Дзеянні з файламі", + "Rename" : "Перайменаваць", + "Delete" : "Выдаліць", + "Manage tags" : "Кіраванне тэгамі", "Select all files" : "Выбраць усе файлы", - "Deselect all files" : "Скасаваць выбар усіх файлаў", - "Select a range of files" : "Выберыце дыяпазон файлаў", "Navigation" : "Навігацыя", "You" : "Вы", "Error while loading the file data" : "Памылка пры загрузцы даных файла", @@ -138,7 +140,6 @@ OC.L10N.register( "Delete files" : "Выдаліць файлы", "Delete folder" : "Выдаліць папку", "Delete folders" : "Выдаліць папкі", - "Delete" : "Выдаліць", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Вы збіраецеся назаўжды выдаліць {count} элемент","Вы збіраецеся назаўжды выдаліць {count} элементы","Вы збіраецеся назаўжды выдаліць {count} элементаў","Вы збіраецеся назаўжды выдаліць {count} элементаў"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Вы збіраецеся выдаліць {count} элемент","Вы збіраецеся выдаліць {count} элементы","Вы збіраецеся выдаліць {count} элементаў","Вы збіраецеся выдаліць {count} элементаў"], "Confirm deletion" : "Пацвердзіць выдаленне", @@ -154,14 +155,12 @@ OC.L10N.register( "The file does not exist anymore" : "Файл больш не існуе", "Choose destination" : "Выберыце прызначэнне", "Copy to {target}" : "Капіяваць у {target}", - "Copy" : "Капіяваць", "Move to {target}" : "Перамясціць у {target}", "Move" : "Перамясціць", "Move or copy" : "Перамясціць або капіяваць", "Open folder {displayName}" : "Адкрыць папку {displayName}", "Open locally" : "Адкрыць лакальна", "Open file locally" : "Адкрыць файл лакальна", - "Rename" : "Перайменаваць", "Today" : "Сёння", "Last 7 days" : "Апошнія 7 дзён", "Last 30 days" : "Апошнія 30 дзён", @@ -173,7 +172,7 @@ OC.L10N.register( "PDFs" : "PDF-файлы", "Folders" : "Папкі", "Audio" : "Аўдыя", - "Photos and images" : "Фота і відарысы", + "Images" : "Відарысы", "Videos" : "Відэа", "Created new folder \"{name}\"" : "Створана новая папка \"{name}\"", "Unable to initialize the templates directory" : "Немагчыма ініцыялізаваць каталог шаблонаў", @@ -237,8 +236,11 @@ OC.L10N.register( "{used} used" : "Выкарыстана {used}", "Path" : "Шлях", "Upload file" : "Запампаваць файл", + "WebDAV URL copied to clipboard" : "URL-адрас WebDAV скапіяваны ў буфер абмену", + "Copy to clipboard" : "Капіяваць у буфер абмену", "Deletion cancelled" : "Выдаленне скасавана", "Move cancelled" : "Перамяшчэнне скасавана", + "Photos and images" : "Фота і відарысы", "New folder creation cancelled" : "Стварэнне новай папкі скасавана", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} папка","{folderCount} папкі","{folderCount} папак","{folderCount} папак"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} файл","{fileCount} файлы","{fileCount} файлаў","{fileCount} файлаў"], @@ -247,6 +249,10 @@ OC.L10N.register( "All folders" : "Усе папкі", "Personal Files" : "Асабістыя файлы", "Text file" : "Тэкставы файл", - "%1$s (renamed)" : "%1$s (перайменаваны)" + "%1$s (renamed)" : "%1$s (перайменаваны)", + "Rename a file" : "Перайменаваць файл", + "Delete a file" : "Выдаліць файл", + "Deselect all files" : "Скасаваць выбар усіх файлаў", + "Select a range of files" : "Выберыце дыяпазон файлаў" }, "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/l10n/be.json b/apps/files/l10n/be.json index 126530174fd..7cc4d30cdac 100644 --- a/apps/files/l10n/be.json +++ b/apps/files/l10n/be.json @@ -101,20 +101,22 @@ "No search results for “{query}”" : "Няма вынікаў пошуку па запыце \"{query}\"", "Search for files" : "Пошук файлаў", "Clipboard is not available" : "Буфер абмену недаступны", - "WebDAV URL copied to clipboard" : "URL-адрас WebDAV скапіяваны ў буфер абмену", + "WebDAV URL copied" : "URL-адрас WebDAV скапіяваны", + "General" : "Агульныя", "All files" : "Усе файлы", "Personal files" : "Асабістыя файлы", - "Show files extensions" : "Паказваць пашырэнні файлаў", + "Appearance" : "Знешні выгляд", + "Show file extensions" : "Паказваць пашырэнні файлаў", "WebDAV" : "WebDAV", "WebDAV URL" : "URL-адрас WebDAV", - "Copy to clipboard" : "Капіяваць у буфер абмену", + "Copy" : "Капіяваць", "Warnings" : "Папярэджанні", "Keyboard shortcuts" : "Спалучэнні клавіш", - "Rename a file" : "Перайменаваць файл", - "Delete a file" : "Выдаліць файл", + "File actions" : "Дзеянні з файламі", + "Rename" : "Перайменаваць", + "Delete" : "Выдаліць", + "Manage tags" : "Кіраванне тэгамі", "Select all files" : "Выбраць усе файлы", - "Deselect all files" : "Скасаваць выбар усіх файлаў", - "Select a range of files" : "Выберыце дыяпазон файлаў", "Navigation" : "Навігацыя", "You" : "Вы", "Error while loading the file data" : "Памылка пры загрузцы даных файла", @@ -136,7 +138,6 @@ "Delete files" : "Выдаліць файлы", "Delete folder" : "Выдаліць папку", "Delete folders" : "Выдаліць папкі", - "Delete" : "Выдаліць", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Вы збіраецеся назаўжды выдаліць {count} элемент","Вы збіраецеся назаўжды выдаліць {count} элементы","Вы збіраецеся назаўжды выдаліць {count} элементаў","Вы збіраецеся назаўжды выдаліць {count} элементаў"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Вы збіраецеся выдаліць {count} элемент","Вы збіраецеся выдаліць {count} элементы","Вы збіраецеся выдаліць {count} элементаў","Вы збіраецеся выдаліць {count} элементаў"], "Confirm deletion" : "Пацвердзіць выдаленне", @@ -152,14 +153,12 @@ "The file does not exist anymore" : "Файл больш не існуе", "Choose destination" : "Выберыце прызначэнне", "Copy to {target}" : "Капіяваць у {target}", - "Copy" : "Капіяваць", "Move to {target}" : "Перамясціць у {target}", "Move" : "Перамясціць", "Move or copy" : "Перамясціць або капіяваць", "Open folder {displayName}" : "Адкрыць папку {displayName}", "Open locally" : "Адкрыць лакальна", "Open file locally" : "Адкрыць файл лакальна", - "Rename" : "Перайменаваць", "Today" : "Сёння", "Last 7 days" : "Апошнія 7 дзён", "Last 30 days" : "Апошнія 30 дзён", @@ -171,7 +170,7 @@ "PDFs" : "PDF-файлы", "Folders" : "Папкі", "Audio" : "Аўдыя", - "Photos and images" : "Фота і відарысы", + "Images" : "Відарысы", "Videos" : "Відэа", "Created new folder \"{name}\"" : "Створана новая папка \"{name}\"", "Unable to initialize the templates directory" : "Немагчыма ініцыялізаваць каталог шаблонаў", @@ -235,8 +234,11 @@ "{used} used" : "Выкарыстана {used}", "Path" : "Шлях", "Upload file" : "Запампаваць файл", + "WebDAV URL copied to clipboard" : "URL-адрас WebDAV скапіяваны ў буфер абмену", + "Copy to clipboard" : "Капіяваць у буфер абмену", "Deletion cancelled" : "Выдаленне скасавана", "Move cancelled" : "Перамяшчэнне скасавана", + "Photos and images" : "Фота і відарысы", "New folder creation cancelled" : "Стварэнне новай папкі скасавана", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} папка","{folderCount} папкі","{folderCount} папак","{folderCount} папак"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} файл","{fileCount} файлы","{fileCount} файлаў","{fileCount} файлаў"], @@ -245,6 +247,10 @@ "All folders" : "Усе папкі", "Personal Files" : "Асабістыя файлы", "Text file" : "Тэкставы файл", - "%1$s (renamed)" : "%1$s (перайменаваны)" + "%1$s (renamed)" : "%1$s (перайменаваны)", + "Rename a file" : "Перайменаваць файл", + "Delete a file" : "Выдаліць файл", + "Deselect all files" : "Скасаваць выбар усіх файлаў", + "Select a range of files" : "Выберыце дыяпазон файлаў" },"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/l10n/bg.js b/apps/files/l10n/bg.js index 73f349082a9..cdf702caf2e 100644 --- a/apps/files/l10n/bg.js +++ b/apps/files/l10n/bg.js @@ -75,12 +75,9 @@ OC.L10N.register( "Total rows summary" : "Обобщение на общия брой редове", "Name" : "Име", "Size" : "Размер", - "\"{displayName}\" batch action executed successfully" : " Пакетното действие „{displayName}“ е изпълнено успешно", - "\"{displayName}\" action failed" : "Действието „{displayName}“ е неуспешно", "Actions" : "Действия", "File not found" : "Файлът не е намерен", "_{count} selected_::_{count} selected_" : ["{count} избрани","{count} избрани"], - "Search globally" : "Глобално търсене ", "{usedQuotaByte} used" : "{usedQuotaByte} използвано", "{used} of {quota} used" : "{used} от {quota} използвани", "{relative}% used" : "{relative}% използвано", @@ -108,7 +105,6 @@ OC.L10N.register( "Switch to list view" : "Превключване към изглед на списък", "Not enough free space" : "Няма достатъчно свободно място", "Operation is blocked by access control" : "Операцията се блокира от контрол на достъпа", - "\"{displayName}\" action executed successfully" : "Действието „{displayName}“ е изпълнено успешно", "Loading current folder" : "Зареждане на текущата папка", "Retry" : "Опитай отново", "No files in here" : "Няма файлове", @@ -118,18 +114,25 @@ OC.L10N.register( "Files settings" : "Настройки на файловете", "File cannot be accessed" : "Файлът не е достъпен", "Clipboard is not available" : "Клипбордът не е достъпен", - "WebDAV URL copied to clipboard" : "WebDAV URL адрес е копиран в клипборда", + "General" : "Общи", "All files" : "Всички файлове", "Personal files" : "Лични файлове", + "Appearance" : "Изглед", "Show hidden files" : "Показвай и скрити файлове", "Crop image previews" : "Изрязване на визуализациите на изображение", "Additional settings" : "Допълнителни настройки", "WebDAV" : "WebDAV", - "Copy to clipboard" : "Копиране в клипборда", + "Copy" : "Копирай", "Keyboard shortcuts" : "Бързи клавиши", + "File actions" : "Действия с файлове", + "Rename" : "Преименувай", + "Delete" : "Изтрий", + "Manage tags" : "Управление на маркери", "Selection" : "Избор", + "Deselect all" : "Откажи всички избрани", "Navigation" : "Навигация", "View" : "Изглед", + "Toggle grid view" : "Превключи решетъчния изглед", "Error while loading the file data" : "Грешка при зареждането на файловете.", "Owner" : "Създател", "Remove from favorites" : "Премахни от любимите", @@ -148,17 +151,14 @@ OC.L10N.register( "Delete file" : "Изтриване на файлове", "Delete files" : "Изтриване на файлове", "Delete folder" : "Изтриване на папка", - "Delete" : "Изтрий", "Cancel" : "Отказ", "Download" : "Изтегли", - "Copy" : "Копирай", "Move" : "Преместване", "Move or copy" : "Премести или копирай", "Open locally" : "Локално отваряне", "Failed to redirect to client" : "Неуспешно пренасочване към клиент", "Open file locally" : "Локално отваряне на файл", - "Rename" : "Преименувай", - "Open details" : "Отваряне на подробности", + "Details" : "Подробности", "View in folder" : "Преглед в папката", "Today" : "Днес", "Last 7 days" : "Последни 7 дни", @@ -166,6 +166,7 @@ OC.L10N.register( "Documents" : "Документи", "Folders" : "Папки", "Audio" : "Аудио", + "Images" : "Изображения", "Videos" : "Видеа", "Unable to initialize the templates directory" : "Неуспешно инициализиране на директорията с шаблони", "Templates" : "Шаблони", @@ -178,7 +179,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Името \"{newName}\" се ползва в директорията \"{dir}\". Моля, изберете друго име.", "Could not rename \"{oldName}\"" : "\"{oldName}\" не може да бъде преименуван", "This operation is forbidden" : "Операцията е забранена", - "This directory is unavailable, please check the logs or contact the administrator" : "Директорията не е налична. Проверете журнала или се свържете с администратора", "Storage is temporarily not available" : "Временно хранилището не е налично", "_%n file_::_%n files_" : ["%n файл","%n файла"], "_%n folder_::_%n folders_" : ["%n папка","%n папки"], @@ -214,12 +214,12 @@ OC.L10N.register( "Edit locally" : "Локално редактиране", "Open" : "Отвори", "Could not load info for file \"{file}\"" : "Информацията за файла \"{file}\" не може да бъде заредена", - "Details" : "Подробности", "Please select tag(s) to add to the selection" : "Моля, изберете етикет(и), който да добавите към селекцията", "Apply tag(s) to selection" : "Прилагане на етикет(и) към селекцията", "Select directory \"{dirName}\"" : "Избор на директория „{dirName}“", "Select file \"{fileName}\"" : "Избор на файл \"{fileName}\"", "Unable to determine date" : "Неуспешно установяване на дата", + "This directory is unavailable, please check the logs or contact the administrator" : "Директорията не е налична. Проверете журнала или се свържете с администратора", "Could not move \"{file}\", target exists" : "Файлът \"{file}\" не може да бъде преместен, дестинацията съществува", "Could not move \"{file}\"" : "Файлът \"{file}\" не може да бъде преместен", "copy" : "Копиране", @@ -264,8 +264,14 @@ OC.L10N.register( "Upload file" : "Качи файл", "An error occurred while trying to update the tags" : "Възникна грешка при опита за промяна на етикети", "Upload (max. %s)" : "Качи (макс. %s)", + "\"{displayName}\" action executed successfully" : "Действието „{displayName}“ е изпълнено успешно", + "\"{displayName}\" action failed" : "Действието „{displayName}“ е неуспешно", + "\"{displayName}\" batch action executed successfully" : " Пакетното действие „{displayName}“ е изпълнено успешно", + "WebDAV URL copied to clipboard" : "WebDAV URL адрес е копиран в клипборда", + "Copy to clipboard" : "Копиране в клипборда", "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, трябва да създадете и използвате нова парола за приложението, като кликнете тук.", + "Open details" : "Отваряне на подробности", "Personal Files" : "Лични файлове", "Text file" : "Текстов файл", "New text file.txt" : "Текстов файл.txt" diff --git a/apps/files/l10n/bg.json b/apps/files/l10n/bg.json index ff0191c8f13..85475bff136 100644 --- a/apps/files/l10n/bg.json +++ b/apps/files/l10n/bg.json @@ -73,12 +73,9 @@ "Total rows summary" : "Обобщение на общия брой редове", "Name" : "Име", "Size" : "Размер", - "\"{displayName}\" batch action executed successfully" : " Пакетното действие „{displayName}“ е изпълнено успешно", - "\"{displayName}\" action failed" : "Действието „{displayName}“ е неуспешно", "Actions" : "Действия", "File not found" : "Файлът не е намерен", "_{count} selected_::_{count} selected_" : ["{count} избрани","{count} избрани"], - "Search globally" : "Глобално търсене ", "{usedQuotaByte} used" : "{usedQuotaByte} използвано", "{used} of {quota} used" : "{used} от {quota} използвани", "{relative}% used" : "{relative}% използвано", @@ -106,7 +103,6 @@ "Switch to list view" : "Превключване към изглед на списък", "Not enough free space" : "Няма достатъчно свободно място", "Operation is blocked by access control" : "Операцията се блокира от контрол на достъпа", - "\"{displayName}\" action executed successfully" : "Действието „{displayName}“ е изпълнено успешно", "Loading current folder" : "Зареждане на текущата папка", "Retry" : "Опитай отново", "No files in here" : "Няма файлове", @@ -116,18 +112,25 @@ "Files settings" : "Настройки на файловете", "File cannot be accessed" : "Файлът не е достъпен", "Clipboard is not available" : "Клипбордът не е достъпен", - "WebDAV URL copied to clipboard" : "WebDAV URL адрес е копиран в клипборда", + "General" : "Общи", "All files" : "Всички файлове", "Personal files" : "Лични файлове", + "Appearance" : "Изглед", "Show hidden files" : "Показвай и скрити файлове", "Crop image previews" : "Изрязване на визуализациите на изображение", "Additional settings" : "Допълнителни настройки", "WebDAV" : "WebDAV", - "Copy to clipboard" : "Копиране в клипборда", + "Copy" : "Копирай", "Keyboard shortcuts" : "Бързи клавиши", + "File actions" : "Действия с файлове", + "Rename" : "Преименувай", + "Delete" : "Изтрий", + "Manage tags" : "Управление на маркери", "Selection" : "Избор", + "Deselect all" : "Откажи всички избрани", "Navigation" : "Навигация", "View" : "Изглед", + "Toggle grid view" : "Превключи решетъчния изглед", "Error while loading the file data" : "Грешка при зареждането на файловете.", "Owner" : "Създател", "Remove from favorites" : "Премахни от любимите", @@ -146,17 +149,14 @@ "Delete file" : "Изтриване на файлове", "Delete files" : "Изтриване на файлове", "Delete folder" : "Изтриване на папка", - "Delete" : "Изтрий", "Cancel" : "Отказ", "Download" : "Изтегли", - "Copy" : "Копирай", "Move" : "Преместване", "Move or copy" : "Премести или копирай", "Open locally" : "Локално отваряне", "Failed to redirect to client" : "Неуспешно пренасочване към клиент", "Open file locally" : "Локално отваряне на файл", - "Rename" : "Преименувай", - "Open details" : "Отваряне на подробности", + "Details" : "Подробности", "View in folder" : "Преглед в папката", "Today" : "Днес", "Last 7 days" : "Последни 7 дни", @@ -164,6 +164,7 @@ "Documents" : "Документи", "Folders" : "Папки", "Audio" : "Аудио", + "Images" : "Изображения", "Videos" : "Видеа", "Unable to initialize the templates directory" : "Неуспешно инициализиране на директорията с шаблони", "Templates" : "Шаблони", @@ -176,7 +177,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Името \"{newName}\" се ползва в директорията \"{dir}\". Моля, изберете друго име.", "Could not rename \"{oldName}\"" : "\"{oldName}\" не може да бъде преименуван", "This operation is forbidden" : "Операцията е забранена", - "This directory is unavailable, please check the logs or contact the administrator" : "Директорията не е налична. Проверете журнала или се свържете с администратора", "Storage is temporarily not available" : "Временно хранилището не е налично", "_%n file_::_%n files_" : ["%n файл","%n файла"], "_%n folder_::_%n folders_" : ["%n папка","%n папки"], @@ -212,12 +212,12 @@ "Edit locally" : "Локално редактиране", "Open" : "Отвори", "Could not load info for file \"{file}\"" : "Информацията за файла \"{file}\" не може да бъде заредена", - "Details" : "Подробности", "Please select tag(s) to add to the selection" : "Моля, изберете етикет(и), който да добавите към селекцията", "Apply tag(s) to selection" : "Прилагане на етикет(и) към селекцията", "Select directory \"{dirName}\"" : "Избор на директория „{dirName}“", "Select file \"{fileName}\"" : "Избор на файл \"{fileName}\"", "Unable to determine date" : "Неуспешно установяване на дата", + "This directory is unavailable, please check the logs or contact the administrator" : "Директорията не е налична. Проверете журнала или се свържете с администратора", "Could not move \"{file}\", target exists" : "Файлът \"{file}\" не може да бъде преместен, дестинацията съществува", "Could not move \"{file}\"" : "Файлът \"{file}\" не може да бъде преместен", "copy" : "Копиране", @@ -262,8 +262,14 @@ "Upload file" : "Качи файл", "An error occurred while trying to update the tags" : "Възникна грешка при опита за промяна на етикети", "Upload (max. %s)" : "Качи (макс. %s)", + "\"{displayName}\" action executed successfully" : "Действието „{displayName}“ е изпълнено успешно", + "\"{displayName}\" action failed" : "Действието „{displayName}“ е неуспешно", + "\"{displayName}\" batch action executed successfully" : " Пакетното действие „{displayName}“ е изпълнено успешно", + "WebDAV URL copied to clipboard" : "WebDAV URL адрес е копиран в клипборда", + "Copy to clipboard" : "Копиране в клипборда", "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, трябва да създадете и използвате нова парола за приложението, като кликнете тук.", + "Open details" : "Отваряне на подробности", "Personal Files" : "Лични файлове", "Text file" : "Текстов файл", "New text file.txt" : "Текстов файл.txt" diff --git a/apps/files/l10n/ca.js b/apps/files/l10n/ca.js index ad2d6aab577..ecfa5a70eb0 100644 --- a/apps/files/l10n/ca.js +++ b/apps/files/l10n/ca.js @@ -107,9 +107,6 @@ OC.L10N.register( "Toggle selection for all files and folders" : "Canvia la selecció per a tots els fitxers i carpetes", "Name" : "Nom", "Size" : "Mida", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" ha fallat en alguns elements", - "\"{displayName}\" batch action executed successfully" : "L'acció per lots «{displayName}» s'ha executat correctament", - "\"{displayName}\" action failed" : "S'ha produït un error en l'acció «{displayName}»", "Actions" : "Accions", "(selected)" : "(seleccionat)", "List of files and folders." : "Llista de fitxers i carpetes.", @@ -117,7 +114,6 @@ OC.L10N.register( "Column headers with buttons are sortable." : "Les capçaleres de columna amb botons es poder ordenar.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Aquesta llista no es mostra completament per raons de rendiment. Es mostraran els fitxers a mesura que navegueu per la llista.", "File not found" : "No s'ha trobat el fitxer", - "Search globally" : "Cerca globalment", "{usedQuotaByte} used" : "{usedQuotaByte} en ús", "{used} of {quota} used" : "{used} de {quota} en ús", "{relative}% used" : "{relative}% en ús", @@ -166,7 +162,6 @@ OC.L10N.register( "Error during upload: {message}" : "S'ha produït un error durant la pujada: {message}", "Error during upload, status code {status}" : "S'ha produït un error durant la pujada, el codi d'estat és {status}", "Unknown error during upload" : "S'ha produït un error desconegut durant la pujada", - "\"{displayName}\" action executed successfully" : "L'acció «{displayName}» s'ha executat correctament", "Loading current folder" : "S'està carregant la carpeta actual", "Retry" : "Torna-ho a provar", "No files in here" : "No hi ha cap fitxer aquí", @@ -179,42 +174,30 @@ OC.L10N.register( "File cannot be accessed" : "No es pot accedir al fitxer", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "No s'ha trobat el fitxer o no teniu permisos per a visualitzar-lo. Demaneu al remitent que el comparteixi.", "Clipboard is not available" : "El porta-retalls no està disponible", - "WebDAV URL copied to clipboard" : "S'ha copiat l'URL de WebDAV al porta-retalls", + "General" : "General", "All files" : "Tots els fitxers", "Personal files" : "Fitxers personals", "Sort favorites first" : "Ordena primer els preferits", "Sort folders before files" : "Ordena les carpetes abans dels fitxers", - "Enable folder tree" : "Habilita l'arbre de carpetes", + "Appearance" : "Aparença", "Show hidden files" : "Mostra els fitxers ocults", "Crop image previews" : "Retalla les previsualitzacions de les imatges", "Additional settings" : "Paràmetres addicionals", "WebDAV" : "WebDAV", "WebDAV URL" : "URL de WebDAV", - "Copy to clipboard" : "Copia-ho al porta-retalls", + "Copy" : "Copia", "Warnings" : "Advertiments", - "Prevent warning dialogs from open or reenable them." : "Eviteu que s'obrin els diàlegs d'advertència o torneu-los a habilitar.", - "Show a warning dialog when changing a file extension." : "Mostra un diàleg d'avís quan es canvia una extensió de fitxer.", "Keyboard shortcuts" : "Dreceres de teclat", - "Speed up your Files experience with these quick shortcuts." : "Accelereu l'experiència Fitxers amb aquestes dreceres ràpides.", - "Open the actions menu for a file" : "Obre el menú d'accions per un fitxer", - "Rename a file" : "Canvia el nom del fitxer", - "Delete a file" : "Suprimeix el fitxer", - "Favorite or remove a file from favorites" : "Marca com a preferit o suprimeix un fitxer dels preferits", - "Manage tags for a file" : "Administra les etiquetes d'un fitxer", + "File actions" : "Arxivar accions", + "Rename" : "Canvia el nom", + "Delete" : "Suprimeix", + "Manage tags" : "Administrar les etiquetes", "Selection" : "Selecció", "Select all files" : "Seleccioneu tots els fitxers", - "Deselect all files" : "Desseleccioneu tots els fitxers", - "Select or deselect a file" : "Seleccioneu o deseleccioneu un fitxer", - "Select a range of files" : "Seleccioneu un rang de fitxers", + "Deselect all" : "No seleccionis res", "Navigation" : "Navegació", - "Navigate to the parent folder" : "Navegueu a la carpeta principal", - "Navigate to the file above" : "Navegueu al fitxer de dalt", - "Navigate to the file below" : "Navegueu fins al fitxer següent", - "Navigate to the file on the left (in grid mode)" : "Navegueu fins al fitxer de l'esquerra (en mode de quadrícula)", - "Navigate to the file on the right (in grid mode)" : "Navegueu fins al fitxer de la dreta (en mode de quadrícula)", "View" : "Visualització", - "Toggle the grid view" : "Commuta la vista de la quadrícula", - "Open the sidebar for a file" : "Obriu la barra lateral d'un fitxer", + "Toggle grid view" : "Canvia la visualització de quadrícula", "Show those shortcuts" : "Mostra aquestes dreceres", "You" : "Vós", "Shared multiple times with different people" : "S'ha compartit diverses vegades amb persones diferents", @@ -253,7 +236,6 @@ OC.L10N.register( "Delete files" : "Suprimeix els fitxers", "Delete folder" : "Suprimeix la carpeta", "Delete folders" : "Suprimeix les carpetes", - "Delete" : "Suprimeix", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Esteu a punt de suprimir permanentment {count} element","Esteu a punt de suprimir permanentment {count} elements"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Esteu a punt de suprimir {count} element","Esteu a punt de suprimir {count} elements"], "Confirm deletion" : "Confirma la supressió", @@ -271,7 +253,6 @@ OC.L10N.register( "The file does not exist anymore" : "El fitxer ja no existeix", "Choose destination" : "Trieu una destinació", "Copy to {target}" : "Copia a {target}", - "Copy" : "Copia", "Move to {target}" : "Mou a {target}", "Move" : "Mou", "Move or copy operation failed" : "Error en l'operació de desplaçament o còpia", @@ -284,8 +265,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Ara s'hauria d'obrir el fitxer al dispositiu. Si no és així, comproveu que teniu instal·lada l'aplicació d'escriptori.", "Retry and close" : "Torna-ho a provar i tanca", "Open online" : "Obre en línia", - "Rename" : "Canvia el nom", - "Open details" : "Obre els detalls", + "Details" : "Detalls", "View in folder" : "Visualitza-ho en la carpeta", "Today" : "Avui", "Last 7 days" : "Últims 7 dies", @@ -298,7 +278,7 @@ OC.L10N.register( "PDFs" : "PDFs", "Folders" : "Carpetes", "Audio" : "Àudio", - "Photos and images" : "Fotografies i imatges", + "Images" : "Imatges", "Videos" : "Vídeos", "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", @@ -324,7 +304,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "El nom «{newName}» ja està en ús en la carpeta «{dir}». Trieu un nom diferent.", "Could not rename \"{oldName}\"" : "No s'ha pogut canviar el nom de «{oldName}»", "This operation is forbidden" : "Aquesta operació no està permesa", - "This directory is unavailable, please check the logs or contact the administrator" : "Aquesta carpeta no està disponible. Consulteu els registres o contacteu amb l'administrador", "Storage is temporarily not available" : "L'emmagatzematge no està disponible temporalment", "Unexpected error: {error}" : "Error inesperat: {error}", "_%n file_::_%n files_" : ["%n fitxer","%n fitxers"], @@ -375,12 +354,12 @@ OC.L10N.register( "Edit locally" : "Edita localment", "Open" : "Obre", "Could not load info for file \"{file}\"" : "No s'ha pogut carregar la informació del fitxer «{file}»", - "Details" : "Detalls", "Please select tag(s) to add to the selection" : "Seleccioneu les etiquetes que voleu afegir a la selecció", "Apply tag(s) to selection" : "Aplica les etiquetes a la selecció", "Select directory \"{dirName}\"" : "Selecciona la carpeta «{dirName}»", "Select file \"{fileName}\"" : "Selecciona el fitxer «{fileName}»", "Unable to determine date" : "No s'ha pogut determinar la data", + "This directory is unavailable, please check the logs or contact the administrator" : "Aquesta carpeta no està disponible. Consulteu els registres o contacteu amb l'administrador", "Could not move \"{file}\", target exists" : "No s'ha pogut desplaçar «{file}», el fitxer de destinació ja existeix", "Could not move \"{file}\"" : "No s'ha pogut desplaçar «{file}»", "copy" : "còpia", @@ -428,15 +407,24 @@ OC.L10N.register( "Not favored" : "No afavorit", "An error occurred while trying to update the tags" : "S'ha produït un error en intentar actualitzar les etiquetes", "Upload (max. %s)" : "Puja (màx. %s)", + "\"{displayName}\" action executed successfully" : "L'acció «{displayName}» s'ha executat correctament", + "\"{displayName}\" action failed" : "S'ha produït un error en l'acció «{displayName}»", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" ha fallat en alguns elements", + "\"{displayName}\" batch action executed successfully" : "L'acció per lots «{displayName}» s'ha executat correctament", "Submitting fields…" : "S'estan enviant camps…", "Filter filenames…" : "Filtra els noms de fitxer…", + "WebDAV URL copied to clipboard" : "S'ha copiat l'URL de WebDAV al porta-retalls", "Enable the grid view" : "Habilita la visualització de quadrícula", + "Enable folder tree" : "Habilita l'arbre de carpetes", + "Copy to clipboard" : "Copia-ho al porta-retalls", "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", + "Open details" : "Obre els detalls", + "Photos and images" : "Fotografies i imatges", "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"], @@ -447,6 +435,24 @@ OC.L10N.register( "Personal Files" : "FItxers personals", "Text file" : "Fitxer de text", "New text file.txt" : "Fitxer de text nou.txt", - "Filter file names …" : "Filtra els noms dels fitxers …" + "Filter file names …" : "Filtra els noms dels fitxers …", + "Prevent warning dialogs from open or reenable them." : "Eviteu que s'obrin els diàlegs d'advertència o torneu-los a habilitar.", + "Show a warning dialog when changing a file extension." : "Mostra un diàleg d'avís quan es canvia una extensió de fitxer.", + "Speed up your Files experience with these quick shortcuts." : "Accelereu l'experiència Fitxers amb aquestes dreceres ràpides.", + "Open the actions menu for a file" : "Obre el menú d'accions per un fitxer", + "Rename a file" : "Canvia el nom del fitxer", + "Delete a file" : "Suprimeix el fitxer", + "Favorite or remove a file from favorites" : "Marca com a preferit o suprimeix un fitxer dels preferits", + "Manage tags for a file" : "Administra les etiquetes d'un fitxer", + "Deselect all files" : "Desseleccioneu tots els fitxers", + "Select or deselect a file" : "Seleccioneu o deseleccioneu un fitxer", + "Select a range of files" : "Seleccioneu un rang de fitxers", + "Navigate to the parent folder" : "Navegueu a la carpeta principal", + "Navigate to the file above" : "Navegueu al fitxer de dalt", + "Navigate to the file below" : "Navegueu fins al fitxer següent", + "Navigate to the file on the left (in grid mode)" : "Navegueu fins al fitxer de l'esquerra (en mode de quadrícula)", + "Navigate to the file on the right (in grid mode)" : "Navegueu fins al fitxer de la dreta (en mode de quadrícula)", + "Toggle the grid view" : "Commuta la vista de la quadrícula", + "Open the sidebar for a file" : "Obriu la barra lateral d'un fitxer" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/ca.json b/apps/files/l10n/ca.json index 6e2895d8d76..77b41cb2c28 100644 --- a/apps/files/l10n/ca.json +++ b/apps/files/l10n/ca.json @@ -105,9 +105,6 @@ "Toggle selection for all files and folders" : "Canvia la selecció per a tots els fitxers i carpetes", "Name" : "Nom", "Size" : "Mida", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" ha fallat en alguns elements", - "\"{displayName}\" batch action executed successfully" : "L'acció per lots «{displayName}» s'ha executat correctament", - "\"{displayName}\" action failed" : "S'ha produït un error en l'acció «{displayName}»", "Actions" : "Accions", "(selected)" : "(seleccionat)", "List of files and folders." : "Llista de fitxers i carpetes.", @@ -115,7 +112,6 @@ "Column headers with buttons are sortable." : "Les capçaleres de columna amb botons es poder ordenar.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Aquesta llista no es mostra completament per raons de rendiment. Es mostraran els fitxers a mesura que navegueu per la llista.", "File not found" : "No s'ha trobat el fitxer", - "Search globally" : "Cerca globalment", "{usedQuotaByte} used" : "{usedQuotaByte} en ús", "{used} of {quota} used" : "{used} de {quota} en ús", "{relative}% used" : "{relative}% en ús", @@ -164,7 +160,6 @@ "Error during upload: {message}" : "S'ha produït un error durant la pujada: {message}", "Error during upload, status code {status}" : "S'ha produït un error durant la pujada, el codi d'estat és {status}", "Unknown error during upload" : "S'ha produït un error desconegut durant la pujada", - "\"{displayName}\" action executed successfully" : "L'acció «{displayName}» s'ha executat correctament", "Loading current folder" : "S'està carregant la carpeta actual", "Retry" : "Torna-ho a provar", "No files in here" : "No hi ha cap fitxer aquí", @@ -177,42 +172,30 @@ "File cannot be accessed" : "No es pot accedir al fitxer", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "No s'ha trobat el fitxer o no teniu permisos per a visualitzar-lo. Demaneu al remitent que el comparteixi.", "Clipboard is not available" : "El porta-retalls no està disponible", - "WebDAV URL copied to clipboard" : "S'ha copiat l'URL de WebDAV al porta-retalls", + "General" : "General", "All files" : "Tots els fitxers", "Personal files" : "Fitxers personals", "Sort favorites first" : "Ordena primer els preferits", "Sort folders before files" : "Ordena les carpetes abans dels fitxers", - "Enable folder tree" : "Habilita l'arbre de carpetes", + "Appearance" : "Aparença", "Show hidden files" : "Mostra els fitxers ocults", "Crop image previews" : "Retalla les previsualitzacions de les imatges", "Additional settings" : "Paràmetres addicionals", "WebDAV" : "WebDAV", "WebDAV URL" : "URL de WebDAV", - "Copy to clipboard" : "Copia-ho al porta-retalls", + "Copy" : "Copia", "Warnings" : "Advertiments", - "Prevent warning dialogs from open or reenable them." : "Eviteu que s'obrin els diàlegs d'advertència o torneu-los a habilitar.", - "Show a warning dialog when changing a file extension." : "Mostra un diàleg d'avís quan es canvia una extensió de fitxer.", "Keyboard shortcuts" : "Dreceres de teclat", - "Speed up your Files experience with these quick shortcuts." : "Accelereu l'experiència Fitxers amb aquestes dreceres ràpides.", - "Open the actions menu for a file" : "Obre el menú d'accions per un fitxer", - "Rename a file" : "Canvia el nom del fitxer", - "Delete a file" : "Suprimeix el fitxer", - "Favorite or remove a file from favorites" : "Marca com a preferit o suprimeix un fitxer dels preferits", - "Manage tags for a file" : "Administra les etiquetes d'un fitxer", + "File actions" : "Arxivar accions", + "Rename" : "Canvia el nom", + "Delete" : "Suprimeix", + "Manage tags" : "Administrar les etiquetes", "Selection" : "Selecció", "Select all files" : "Seleccioneu tots els fitxers", - "Deselect all files" : "Desseleccioneu tots els fitxers", - "Select or deselect a file" : "Seleccioneu o deseleccioneu un fitxer", - "Select a range of files" : "Seleccioneu un rang de fitxers", + "Deselect all" : "No seleccionis res", "Navigation" : "Navegació", - "Navigate to the parent folder" : "Navegueu a la carpeta principal", - "Navigate to the file above" : "Navegueu al fitxer de dalt", - "Navigate to the file below" : "Navegueu fins al fitxer següent", - "Navigate to the file on the left (in grid mode)" : "Navegueu fins al fitxer de l'esquerra (en mode de quadrícula)", - "Navigate to the file on the right (in grid mode)" : "Navegueu fins al fitxer de la dreta (en mode de quadrícula)", "View" : "Visualització", - "Toggle the grid view" : "Commuta la vista de la quadrícula", - "Open the sidebar for a file" : "Obriu la barra lateral d'un fitxer", + "Toggle grid view" : "Canvia la visualització de quadrícula", "Show those shortcuts" : "Mostra aquestes dreceres", "You" : "Vós", "Shared multiple times with different people" : "S'ha compartit diverses vegades amb persones diferents", @@ -251,7 +234,6 @@ "Delete files" : "Suprimeix els fitxers", "Delete folder" : "Suprimeix la carpeta", "Delete folders" : "Suprimeix les carpetes", - "Delete" : "Suprimeix", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Esteu a punt de suprimir permanentment {count} element","Esteu a punt de suprimir permanentment {count} elements"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Esteu a punt de suprimir {count} element","Esteu a punt de suprimir {count} elements"], "Confirm deletion" : "Confirma la supressió", @@ -269,7 +251,6 @@ "The file does not exist anymore" : "El fitxer ja no existeix", "Choose destination" : "Trieu una destinació", "Copy to {target}" : "Copia a {target}", - "Copy" : "Copia", "Move to {target}" : "Mou a {target}", "Move" : "Mou", "Move or copy operation failed" : "Error en l'operació de desplaçament o còpia", @@ -282,8 +263,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Ara s'hauria d'obrir el fitxer al dispositiu. Si no és així, comproveu que teniu instal·lada l'aplicació d'escriptori.", "Retry and close" : "Torna-ho a provar i tanca", "Open online" : "Obre en línia", - "Rename" : "Canvia el nom", - "Open details" : "Obre els detalls", + "Details" : "Detalls", "View in folder" : "Visualitza-ho en la carpeta", "Today" : "Avui", "Last 7 days" : "Últims 7 dies", @@ -296,7 +276,7 @@ "PDFs" : "PDFs", "Folders" : "Carpetes", "Audio" : "Àudio", - "Photos and images" : "Fotografies i imatges", + "Images" : "Imatges", "Videos" : "Vídeos", "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", @@ -322,7 +302,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "El nom «{newName}» ja està en ús en la carpeta «{dir}». Trieu un nom diferent.", "Could not rename \"{oldName}\"" : "No s'ha pogut canviar el nom de «{oldName}»", "This operation is forbidden" : "Aquesta operació no està permesa", - "This directory is unavailable, please check the logs or contact the administrator" : "Aquesta carpeta no està disponible. Consulteu els registres o contacteu amb l'administrador", "Storage is temporarily not available" : "L'emmagatzematge no està disponible temporalment", "Unexpected error: {error}" : "Error inesperat: {error}", "_%n file_::_%n files_" : ["%n fitxer","%n fitxers"], @@ -373,12 +352,12 @@ "Edit locally" : "Edita localment", "Open" : "Obre", "Could not load info for file \"{file}\"" : "No s'ha pogut carregar la informació del fitxer «{file}»", - "Details" : "Detalls", "Please select tag(s) to add to the selection" : "Seleccioneu les etiquetes que voleu afegir a la selecció", "Apply tag(s) to selection" : "Aplica les etiquetes a la selecció", "Select directory \"{dirName}\"" : "Selecciona la carpeta «{dirName}»", "Select file \"{fileName}\"" : "Selecciona el fitxer «{fileName}»", "Unable to determine date" : "No s'ha pogut determinar la data", + "This directory is unavailable, please check the logs or contact the administrator" : "Aquesta carpeta no està disponible. Consulteu els registres o contacteu amb l'administrador", "Could not move \"{file}\", target exists" : "No s'ha pogut desplaçar «{file}», el fitxer de destinació ja existeix", "Could not move \"{file}\"" : "No s'ha pogut desplaçar «{file}»", "copy" : "còpia", @@ -426,15 +405,24 @@ "Not favored" : "No afavorit", "An error occurred while trying to update the tags" : "S'ha produït un error en intentar actualitzar les etiquetes", "Upload (max. %s)" : "Puja (màx. %s)", + "\"{displayName}\" action executed successfully" : "L'acció «{displayName}» s'ha executat correctament", + "\"{displayName}\" action failed" : "S'ha produït un error en l'acció «{displayName}»", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" ha fallat en alguns elements", + "\"{displayName}\" batch action executed successfully" : "L'acció per lots «{displayName}» s'ha executat correctament", "Submitting fields…" : "S'estan enviant camps…", "Filter filenames…" : "Filtra els noms de fitxer…", + "WebDAV URL copied to clipboard" : "S'ha copiat l'URL de WebDAV al porta-retalls", "Enable the grid view" : "Habilita la visualització de quadrícula", + "Enable folder tree" : "Habilita l'arbre de carpetes", + "Copy to clipboard" : "Copia-ho al porta-retalls", "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", + "Open details" : "Obre els detalls", + "Photos and images" : "Fotografies i imatges", "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"], @@ -445,6 +433,24 @@ "Personal Files" : "FItxers personals", "Text file" : "Fitxer de text", "New text file.txt" : "Fitxer de text nou.txt", - "Filter file names …" : "Filtra els noms dels fitxers …" + "Filter file names …" : "Filtra els noms dels fitxers …", + "Prevent warning dialogs from open or reenable them." : "Eviteu que s'obrin els diàlegs d'advertència o torneu-los a habilitar.", + "Show a warning dialog when changing a file extension." : "Mostra un diàleg d'avís quan es canvia una extensió de fitxer.", + "Speed up your Files experience with these quick shortcuts." : "Accelereu l'experiència Fitxers amb aquestes dreceres ràpides.", + "Open the actions menu for a file" : "Obre el menú d'accions per un fitxer", + "Rename a file" : "Canvia el nom del fitxer", + "Delete a file" : "Suprimeix el fitxer", + "Favorite or remove a file from favorites" : "Marca com a preferit o suprimeix un fitxer dels preferits", + "Manage tags for a file" : "Administra les etiquetes d'un fitxer", + "Deselect all files" : "Desseleccioneu tots els fitxers", + "Select or deselect a file" : "Seleccioneu o deseleccioneu un fitxer", + "Select a range of files" : "Seleccioneu un rang de fitxers", + "Navigate to the parent folder" : "Navegueu a la carpeta principal", + "Navigate to the file above" : "Navegueu al fitxer de dalt", + "Navigate to the file below" : "Navegueu fins al fitxer següent", + "Navigate to the file on the left (in grid mode)" : "Navegueu fins al fitxer de l'esquerra (en mode de quadrícula)", + "Navigate to the file on the right (in grid mode)" : "Navegueu fins al fitxer de la dreta (en mode de quadrícula)", + "Toggle the grid view" : "Commuta la vista de la quadrícula", + "Open the sidebar for a file" : "Obriu la barra lateral d'un fitxer" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/cs.js b/apps/files/l10n/cs.js index f64cdee21b5..f2465a705f0 100644 --- a/apps/files/l10n/cs.js +++ b/apps/files/l10n/cs.js @@ -115,9 +115,6 @@ OC.L10N.register( "Name" : "Název", "File type" : "Typ souboru", "Size" : "Velikost", - "\"{displayName}\" failed on some elements" : "„{displayName}“ se pro některé prvky nezdařilo", - "\"{displayName}\" batch action executed successfully" : "Hromadná akce „{displayName}“ úspěšně vykonána", - "\"{displayName}\" action failed" : "akce „{displayName}“ se nezdařila", "Actions" : "Akce", "(selected)" : "(vybráno)", "List of files and folders." : "Seznam souborů a složek.", @@ -126,11 +123,7 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Seznam není vykreslen celý z důvodu nároků na výkon. Soubory budou dokreslovány, jak se budete posouvat seznamem.", "File not found" : "Soubor nenalezen", "_{count} selected_::_{count} selected_" : ["vybráno {count}","vybráno {count}","vybráno {count}","vybráno {count}"], - "Search globally by filename …" : "Hledat všude podle názvu souboru…", - "Search here by filename …" : "Hledat zde podle názvu souboru…", "Search scope options" : "Předvolby rozsahu prohledávaného", - "Filter and search from this location" : "Filtrovat a hledat z tohoto umístění", - "Search globally" : "Hledat všude", "{usedQuotaByte} used" : "{usedQuotaByte} využito", "{used} of {quota} used" : "Využito {used} z {quota} ", "{relative}% used" : "{relative}% využito", @@ -180,7 +173,6 @@ OC.L10N.register( "Error during upload: {message}" : "Chyba při nahrávání: {message}", "Error during upload, status code {status}" : "Chyba při nahrávání – stavový kód {status}", "Unknown error during upload" : "Neznámá chyba při nahrávání", - "\"{displayName}\" action executed successfully" : "akce „{displayName}“ úspěšně vykonána", "Loading current folder" : "Načítá se stávající složka", "Retry" : "Zkusit znovu", "No files in here" : "Žádné soubory", @@ -195,49 +187,33 @@ OC.L10N.register( "No search results for “{query}”" : "Nic nenalezeno pro „{query}“", "Search for files" : "Hledat soubory", "Clipboard is not available" : "Schránka není k dispozici", - "WebDAV URL copied to clipboard" : "WebDAV URL zkopírována do schránky", + "General" : "Obecné", "Default view" : "Výchozí pohled", "All files" : "Všechny soubory", "Personal files" : "Osobní soubory", "Sort favorites first" : "Seřadit od oblíbených", "Sort folders before files" : "Při řazení zobrazovat složky a pak až soubory", - "Enable folder tree" : "Zapnout strom složek", - "Visual settings" : "Vizuální nastavení", + "Appearance" : "Vzhled", "Show hidden files" : "Zobrazit skryté soubory", "Show file type column" : "Zobrazovat sloupec Typ souboru", "Crop image previews" : "Oříznout náhledy obrázků", - "Show files extensions" : "Zobrazovat přípony souborů", "Additional settings" : "Další nastavení", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Zkopírovat do schránky", - "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.", + "Copy" : "Kopírovat", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "U vašeho účtu je zapnuté dvoufázové ověřování a proto pro připojení externího WebDAV klienta bude třeba použít heslo pro konkrétní aplikaci.", "Warnings" : "Varování", - "Prevent warning dialogs from open or reenable them." : "Zabránit dialogům s varováními v otevírání nebo znovupovolení.", - "Show a warning dialog when changing a file extension." : "Při měnění přípony souboru zobrazit varovný dialog.", - "Show a warning dialog when deleting files." : "Před smazáním souborů zobrazit varovný dialog.", "Keyboard shortcuts" : "Klávesové zkratky", - "Speed up your Files experience with these quick shortcuts." : "Zrychlete svůj dojem ze Souborů pomocí těchto rychlých zkratek.", - "Open the actions menu for a file" : "Otevřít nabídku akcí pro soubor", - "Rename a file" : "Přejmenovat soubor", - "Delete a file" : "Smazat soubor", - "Favorite or remove a file from favorites" : "Zařadit mezi oblíbené (nebo odebrat)", - "Manage tags for a file" : "Spravovat štítky pro soubor", + "File actions" : "Akce ohledně souboru", + "Rename" : "Přejmenovat", + "Delete" : "Smazat", + "Manage tags" : "Spravovat štítky", "Selection" : "Výběr", "Select all files" : "Vybrat všechny soubory", - "Deselect all files" : "Zrušit výběr všech souborů", - "Select or deselect a file" : "Vybrat/zrušit výběr souboru", - "Select a range of files" : "Vybrat rozsah souborů", + "Deselect all" : "Zrušit označení všeho", "Navigation" : "Pohyb", - "Navigate to the parent folder" : "Přejít do nadřazené složky", - "Navigate to the file above" : "Přejít na soubor výše", - "Navigate to the file below" : "Přejít na soubor níže", - "Navigate to the file on the left (in grid mode)" : "Přejít na soubor vlevo (v režimu mřížky)", - "Navigate to the file on the right (in grid mode)" : "Přejít na soubor vpravo (v režimu mřížky)", "View" : "Zobrazit", - "Toggle the grid view" : "Vyp/zap. zobrazení v mřížce", - "Open the sidebar for a file" : "Otevřít postranní panel pro soubor", + "Toggle grid view" : "Vyp/zap. zobrazení v mřížce", "Show those shortcuts" : "Zobrazit tyto zkratky", "You" : "Vy", "Shared multiple times with different people" : "Nasdílet několikrát různým lidem", @@ -276,7 +252,6 @@ OC.L10N.register( "Delete files" : "Smazat soubory", "Delete folder" : "Smazat složku", "Delete folders" : "Smazat složky", - "Delete" : "Smazat", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Chystáte se trvale smazat {count} položku","Chystáte se trvale smazat {count} položky","Chystáte se trvale smazat {count} položek","Chystáte se trvale smazat {count} položky"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Chystáte se smazat {count} položku","Chystáte se smazat {count} položky","Chystáte se smazat {count} položek","Chystáte se smazat {count} položky"], "Confirm deletion" : "Potvrdit smazání", @@ -294,7 +269,6 @@ OC.L10N.register( "The file does not exist anymore" : "Soubor už neexistuje", "Choose destination" : "Vyberte cíl", "Copy to {target}" : "Zkopírovat do {target}", - "Copy" : "Kopírovat", "Move to {target}" : "Přesunout do {target}", "Move" : "Přesunout", "Move or copy operation failed" : "Operace přesunu či zkopírování se nezdařila", @@ -307,8 +281,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Soubor by se nyní měl otevřít na vašem zařízení. Pokud ne, zkontrolujte, zda máte nainstalovanou desktopovou aplikaci.", "Retry and close" : "Zkusit znovu a zavřít", "Open online" : "Otevřít online", - "Rename" : "Přejmenovat", - "Open details" : "Otevřít podrobnosti", + "Details" : "Podrobnosti", "View in folder" : "Zobrazit ve složce", "Today" : "Dnes", "Last 7 days" : "Uplynulých 7 dnů", @@ -321,7 +294,7 @@ OC.L10N.register( "PDFs" : "PDF dokumenty", "Folders" : "Složky", "Audio" : "Zvuk", - "Photos and images" : "Fotky a obrázky", + "Images" : "Obrázky", "Videos" : "Videa", "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", @@ -348,7 +321,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Název „{newName}“ je už použitý ve složce „{dir}“. Zvolte jiný název.", "Could not rename \"{oldName}\"" : "„{oldName}“ se nepodařilo přejmenovat", "This operation is forbidden" : "Tato operace je zakázána", - "This directory is unavailable, please check the logs or contact the administrator" : "Tento adresář není dostupný, zkontrolujte záznamy událostí nebo se obraťte na správce", "Storage is temporarily not available" : "Úložiště je dočasně nedostupné", "Unexpected error: {error}" : "Neočekávaná chyby: {error}", "_%n file_::_%n files_" : ["%n soubor","%n soubory","%n souborů","%n soubory"], @@ -401,12 +373,12 @@ OC.L10N.register( "Edit locally" : "Upravit lokálně", "Open" : "Otevřít", "Could not load info for file \"{file}\"" : "Nepodařilo se načíst informace pro soubor „{file}“", - "Details" : "Podrobnosti", "Please select tag(s) to add to the selection" : "Vyberte štítky které přidat do výběru", "Apply tag(s) to selection" : "Uplatnit štítky na výběr", "Select directory \"{dirName}\"" : "Vybrat složku „{dirName}“", "Select file \"{fileName}\"" : "Vybrat soubor „{fileName}“", "Unable to determine date" : "Nelze určit datum", + "This directory is unavailable, please check the logs or contact the administrator" : "Tento adresář není dostupný, zkontrolujte záznamy událostí nebo se obraťte na správce", "Could not move \"{file}\", target exists" : "„{file}“ nelze přesunout – cíl už existuje", "Could not move \"{file}\"" : "„{file}“ nelze přesunout", "copy" : "kopie", @@ -454,15 +426,24 @@ OC.L10N.register( "Not favored" : "Není v oblíbených", "An error occurred while trying to update the tags" : "Při pokusu o úpravu štítků došlo k chybě", "Upload (max. %s)" : "Nahrát (max. %s)", + "\"{displayName}\" action executed successfully" : "akce „{displayName}“ úspěšně vykonána", + "\"{displayName}\" action failed" : "akce „{displayName}“ se nezdařila", + "\"{displayName}\" failed on some elements" : "„{displayName}“ se pro některé prvky nezdařilo", + "\"{displayName}\" batch action executed successfully" : "Hromadná akce „{displayName}“ úspěšně vykonána", "Submitting fields…" : "Odesílání kolonek…", "Filter filenames…" : "Filtrovat názvy souborů…", + "WebDAV URL copied to clipboard" : "WebDAV URL zkopírována do schránky", "Enable the grid view" : "Zapnout zobrazení v mřížce", + "Enable folder tree" : "Zapnout strom složek", + "Copy to clipboard" : "Zkopírovat do schránky", "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", + "Open details" : "Otevřít podrobnosti", + "Photos and images" : "Fotky a obrázky", "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"], @@ -476,6 +457,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (přejmenované)", "renamed file" : "přejmenovaný soubor", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Po povolení názvů souborů, kompatibilních s Windows, stávající soubory už nebude možné změnit, ale je možné je přejmenovat na platné nové názvy jejich vlastníkem.", - "Filter file names …" : "Filtrovat názvy souborů…" + "Filter file names …" : "Filtrovat názvy souborů…", + "Prevent warning dialogs from open or reenable them." : "Zabránit dialogům s varováními v otevírání nebo znovupovolení.", + "Show a warning dialog when changing a file extension." : "Při měnění přípony souboru zobrazit varovný dialog.", + "Speed up your Files experience with these quick shortcuts." : "Zrychlete svůj dojem ze Souborů pomocí těchto rychlých zkratek.", + "Open the actions menu for a file" : "Otevřít nabídku akcí pro soubor", + "Rename a file" : "Přejmenovat soubor", + "Delete a file" : "Smazat soubor", + "Favorite or remove a file from favorites" : "Zařadit mezi oblíbené (nebo odebrat)", + "Manage tags for a file" : "Spravovat štítky pro soubor", + "Deselect all files" : "Zrušit výběr všech souborů", + "Select or deselect a file" : "Vybrat/zrušit výběr souboru", + "Select a range of files" : "Vybrat rozsah souborů", + "Navigate to the parent folder" : "Přejít do nadřazené složky", + "Navigate to the file above" : "Přejít na soubor výše", + "Navigate to the file below" : "Přejít na soubor níže", + "Navigate to the file on the left (in grid mode)" : "Přejít na soubor vlevo (v režimu mřížky)", + "Navigate to the file on the right (in grid mode)" : "Přejít na soubor vpravo (v režimu mřížky)", + "Toggle the grid view" : "Vyp/zap. zobrazení v mřížce", + "Open the sidebar for a file" : "Otevřít postranní panel pro soubor" }, "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/l10n/cs.json b/apps/files/l10n/cs.json index 8b6fc863b96..124743aebde 100644 --- a/apps/files/l10n/cs.json +++ b/apps/files/l10n/cs.json @@ -113,9 +113,6 @@ "Name" : "Název", "File type" : "Typ souboru", "Size" : "Velikost", - "\"{displayName}\" failed on some elements" : "„{displayName}“ se pro některé prvky nezdařilo", - "\"{displayName}\" batch action executed successfully" : "Hromadná akce „{displayName}“ úspěšně vykonána", - "\"{displayName}\" action failed" : "akce „{displayName}“ se nezdařila", "Actions" : "Akce", "(selected)" : "(vybráno)", "List of files and folders." : "Seznam souborů a složek.", @@ -124,11 +121,7 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Seznam není vykreslen celý z důvodu nároků na výkon. Soubory budou dokreslovány, jak se budete posouvat seznamem.", "File not found" : "Soubor nenalezen", "_{count} selected_::_{count} selected_" : ["vybráno {count}","vybráno {count}","vybráno {count}","vybráno {count}"], - "Search globally by filename …" : "Hledat všude podle názvu souboru…", - "Search here by filename …" : "Hledat zde podle názvu souboru…", "Search scope options" : "Předvolby rozsahu prohledávaného", - "Filter and search from this location" : "Filtrovat a hledat z tohoto umístění", - "Search globally" : "Hledat všude", "{usedQuotaByte} used" : "{usedQuotaByte} využito", "{used} of {quota} used" : "Využito {used} z {quota} ", "{relative}% used" : "{relative}% využito", @@ -178,7 +171,6 @@ "Error during upload: {message}" : "Chyba při nahrávání: {message}", "Error during upload, status code {status}" : "Chyba při nahrávání – stavový kód {status}", "Unknown error during upload" : "Neznámá chyba při nahrávání", - "\"{displayName}\" action executed successfully" : "akce „{displayName}“ úspěšně vykonána", "Loading current folder" : "Načítá se stávající složka", "Retry" : "Zkusit znovu", "No files in here" : "Žádné soubory", @@ -193,49 +185,33 @@ "No search results for “{query}”" : "Nic nenalezeno pro „{query}“", "Search for files" : "Hledat soubory", "Clipboard is not available" : "Schránka není k dispozici", - "WebDAV URL copied to clipboard" : "WebDAV URL zkopírována do schránky", + "General" : "Obecné", "Default view" : "Výchozí pohled", "All files" : "Všechny soubory", "Personal files" : "Osobní soubory", "Sort favorites first" : "Seřadit od oblíbených", "Sort folders before files" : "Při řazení zobrazovat složky a pak až soubory", - "Enable folder tree" : "Zapnout strom složek", - "Visual settings" : "Vizuální nastavení", + "Appearance" : "Vzhled", "Show hidden files" : "Zobrazit skryté soubory", "Show file type column" : "Zobrazovat sloupec Typ souboru", "Crop image previews" : "Oříznout náhledy obrázků", - "Show files extensions" : "Zobrazovat přípony souborů", "Additional settings" : "Další nastavení", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Zkopírovat do schránky", - "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.", + "Copy" : "Kopírovat", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "U vašeho účtu je zapnuté dvoufázové ověřování a proto pro připojení externího WebDAV klienta bude třeba použít heslo pro konkrétní aplikaci.", "Warnings" : "Varování", - "Prevent warning dialogs from open or reenable them." : "Zabránit dialogům s varováními v otevírání nebo znovupovolení.", - "Show a warning dialog when changing a file extension." : "Při měnění přípony souboru zobrazit varovný dialog.", - "Show a warning dialog when deleting files." : "Před smazáním souborů zobrazit varovný dialog.", "Keyboard shortcuts" : "Klávesové zkratky", - "Speed up your Files experience with these quick shortcuts." : "Zrychlete svůj dojem ze Souborů pomocí těchto rychlých zkratek.", - "Open the actions menu for a file" : "Otevřít nabídku akcí pro soubor", - "Rename a file" : "Přejmenovat soubor", - "Delete a file" : "Smazat soubor", - "Favorite or remove a file from favorites" : "Zařadit mezi oblíbené (nebo odebrat)", - "Manage tags for a file" : "Spravovat štítky pro soubor", + "File actions" : "Akce ohledně souboru", + "Rename" : "Přejmenovat", + "Delete" : "Smazat", + "Manage tags" : "Spravovat štítky", "Selection" : "Výběr", "Select all files" : "Vybrat všechny soubory", - "Deselect all files" : "Zrušit výběr všech souborů", - "Select or deselect a file" : "Vybrat/zrušit výběr souboru", - "Select a range of files" : "Vybrat rozsah souborů", + "Deselect all" : "Zrušit označení všeho", "Navigation" : "Pohyb", - "Navigate to the parent folder" : "Přejít do nadřazené složky", - "Navigate to the file above" : "Přejít na soubor výše", - "Navigate to the file below" : "Přejít na soubor níže", - "Navigate to the file on the left (in grid mode)" : "Přejít na soubor vlevo (v režimu mřížky)", - "Navigate to the file on the right (in grid mode)" : "Přejít na soubor vpravo (v režimu mřížky)", "View" : "Zobrazit", - "Toggle the grid view" : "Vyp/zap. zobrazení v mřížce", - "Open the sidebar for a file" : "Otevřít postranní panel pro soubor", + "Toggle grid view" : "Vyp/zap. zobrazení v mřížce", "Show those shortcuts" : "Zobrazit tyto zkratky", "You" : "Vy", "Shared multiple times with different people" : "Nasdílet několikrát různým lidem", @@ -274,7 +250,6 @@ "Delete files" : "Smazat soubory", "Delete folder" : "Smazat složku", "Delete folders" : "Smazat složky", - "Delete" : "Smazat", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Chystáte se trvale smazat {count} položku","Chystáte se trvale smazat {count} položky","Chystáte se trvale smazat {count} položek","Chystáte se trvale smazat {count} položky"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Chystáte se smazat {count} položku","Chystáte se smazat {count} položky","Chystáte se smazat {count} položek","Chystáte se smazat {count} položky"], "Confirm deletion" : "Potvrdit smazání", @@ -292,7 +267,6 @@ "The file does not exist anymore" : "Soubor už neexistuje", "Choose destination" : "Vyberte cíl", "Copy to {target}" : "Zkopírovat do {target}", - "Copy" : "Kopírovat", "Move to {target}" : "Přesunout do {target}", "Move" : "Přesunout", "Move or copy operation failed" : "Operace přesunu či zkopírování se nezdařila", @@ -305,8 +279,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Soubor by se nyní měl otevřít na vašem zařízení. Pokud ne, zkontrolujte, zda máte nainstalovanou desktopovou aplikaci.", "Retry and close" : "Zkusit znovu a zavřít", "Open online" : "Otevřít online", - "Rename" : "Přejmenovat", - "Open details" : "Otevřít podrobnosti", + "Details" : "Podrobnosti", "View in folder" : "Zobrazit ve složce", "Today" : "Dnes", "Last 7 days" : "Uplynulých 7 dnů", @@ -319,7 +292,7 @@ "PDFs" : "PDF dokumenty", "Folders" : "Složky", "Audio" : "Zvuk", - "Photos and images" : "Fotky a obrázky", + "Images" : "Obrázky", "Videos" : "Videa", "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", @@ -346,7 +319,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Název „{newName}“ je už použitý ve složce „{dir}“. Zvolte jiný název.", "Could not rename \"{oldName}\"" : "„{oldName}“ se nepodařilo přejmenovat", "This operation is forbidden" : "Tato operace je zakázána", - "This directory is unavailable, please check the logs or contact the administrator" : "Tento adresář není dostupný, zkontrolujte záznamy událostí nebo se obraťte na správce", "Storage is temporarily not available" : "Úložiště je dočasně nedostupné", "Unexpected error: {error}" : "Neočekávaná chyby: {error}", "_%n file_::_%n files_" : ["%n soubor","%n soubory","%n souborů","%n soubory"], @@ -399,12 +371,12 @@ "Edit locally" : "Upravit lokálně", "Open" : "Otevřít", "Could not load info for file \"{file}\"" : "Nepodařilo se načíst informace pro soubor „{file}“", - "Details" : "Podrobnosti", "Please select tag(s) to add to the selection" : "Vyberte štítky které přidat do výběru", "Apply tag(s) to selection" : "Uplatnit štítky na výběr", "Select directory \"{dirName}\"" : "Vybrat složku „{dirName}“", "Select file \"{fileName}\"" : "Vybrat soubor „{fileName}“", "Unable to determine date" : "Nelze určit datum", + "This directory is unavailable, please check the logs or contact the administrator" : "Tento adresář není dostupný, zkontrolujte záznamy událostí nebo se obraťte na správce", "Could not move \"{file}\", target exists" : "„{file}“ nelze přesunout – cíl už existuje", "Could not move \"{file}\"" : "„{file}“ nelze přesunout", "copy" : "kopie", @@ -452,15 +424,24 @@ "Not favored" : "Není v oblíbených", "An error occurred while trying to update the tags" : "Při pokusu o úpravu štítků došlo k chybě", "Upload (max. %s)" : "Nahrát (max. %s)", + "\"{displayName}\" action executed successfully" : "akce „{displayName}“ úspěšně vykonána", + "\"{displayName}\" action failed" : "akce „{displayName}“ se nezdařila", + "\"{displayName}\" failed on some elements" : "„{displayName}“ se pro některé prvky nezdařilo", + "\"{displayName}\" batch action executed successfully" : "Hromadná akce „{displayName}“ úspěšně vykonána", "Submitting fields…" : "Odesílání kolonek…", "Filter filenames…" : "Filtrovat názvy souborů…", + "WebDAV URL copied to clipboard" : "WebDAV URL zkopírována do schránky", "Enable the grid view" : "Zapnout zobrazení v mřížce", + "Enable folder tree" : "Zapnout strom složek", + "Copy to clipboard" : "Zkopírovat do schránky", "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", + "Open details" : "Otevřít podrobnosti", + "Photos and images" : "Fotky a obrázky", "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"], @@ -474,6 +455,24 @@ "%1$s (renamed)" : "%1$s (přejmenované)", "renamed file" : "přejmenovaný soubor", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Po povolení názvů souborů, kompatibilních s Windows, stávající soubory už nebude možné změnit, ale je možné je přejmenovat na platné nové názvy jejich vlastníkem.", - "Filter file names …" : "Filtrovat názvy souborů…" + "Filter file names …" : "Filtrovat názvy souborů…", + "Prevent warning dialogs from open or reenable them." : "Zabránit dialogům s varováními v otevírání nebo znovupovolení.", + "Show a warning dialog when changing a file extension." : "Při měnění přípony souboru zobrazit varovný dialog.", + "Speed up your Files experience with these quick shortcuts." : "Zrychlete svůj dojem ze Souborů pomocí těchto rychlých zkratek.", + "Open the actions menu for a file" : "Otevřít nabídku akcí pro soubor", + "Rename a file" : "Přejmenovat soubor", + "Delete a file" : "Smazat soubor", + "Favorite or remove a file from favorites" : "Zařadit mezi oblíbené (nebo odebrat)", + "Manage tags for a file" : "Spravovat štítky pro soubor", + "Deselect all files" : "Zrušit výběr všech souborů", + "Select or deselect a file" : "Vybrat/zrušit výběr souboru", + "Select a range of files" : "Vybrat rozsah souborů", + "Navigate to the parent folder" : "Přejít do nadřazené složky", + "Navigate to the file above" : "Přejít na soubor výše", + "Navigate to the file below" : "Přejít na soubor níže", + "Navigate to the file on the left (in grid mode)" : "Přejít na soubor vlevo (v režimu mřížky)", + "Navigate to the file on the right (in grid mode)" : "Přejít na soubor vpravo (v režimu mřížky)", + "Toggle the grid view" : "Vyp/zap. zobrazení v mřížce", + "Open the sidebar for a file" : "Otevřít postranní panel pro soubor" },"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/l10n/da.js b/apps/files/l10n/da.js index 35b37b64dd8..40408fb8ac1 100644 --- a/apps/files/l10n/da.js +++ b/apps/files/l10n/da.js @@ -107,9 +107,6 @@ OC.L10N.register( "Toggle selection for all files and folders" : "Skift markering for alle filer og mapper", "Name" : "Navn", "Size" : "Størrelse", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" fejlede på nogle elementer", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\"-handling blev udført korrekt", - "\"{displayName}\" action failed" : "\"{displayName}\"-handling mislykkedes", "Actions" : "Handlinger", "(selected)" : "(valgt)", "List of files and folders." : "Liste med filer og mapper.", @@ -117,7 +114,6 @@ OC.L10N.register( "Column headers with buttons are sortable." : "Kolonneoverskrifter med knapper er sorterbare.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Hele listen er ikke hentet, af hensyn til størrelsen. Listen vil blive hentet løbende som du kører igennem listen.", "File not found" : "Filen blev ikke fundet", - "Search globally" : "Søg globalt", "{usedQuotaByte} used" : "{usedQuotaByte} brugt", "{used} of {quota} used" : "{used} af {quota} brugt", "{relative}% used" : "{relative}% brugt", @@ -166,7 +162,6 @@ OC.L10N.register( "Error during upload: {message}" : "Fejl under upload: {message}", "Error during upload, status code {status}" : "Fejl under upload, statuskode {status}", "Unknown error during upload" : "Ukendt fejl under upload", - "\"{displayName}\" action executed successfully" : "\"{displayName}\"-handling blev udført korrekt", "Loading current folder" : "Indlæser aktuelle mappe", "Retry" : "Prøv igen", "No files in here" : "Her er ingen filer", @@ -179,42 +174,29 @@ OC.L10N.register( "File cannot be accessed" : "Filen kan ikke tilgås", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Filen kunne ikke findes eller du har ikke tilladelser til at se den. Bed afsenderen om at dele den.", "Clipboard is not available" : "Udklipsholderen er ikke tilgængelig", - "WebDAV URL copied to clipboard" : "WebDAV URL kopieret til udklipsholder", + "General" : "Generelt", "All files" : "Alle filer", "Personal files" : "Personlige filer", "Sort favorites first" : "Vis favoritter først", "Sort folders before files" : "Sorter mapper før filer", - "Enable folder tree" : "Aktiver mappetræ", + "Appearance" : "Udseende", "Show hidden files" : "Vis skjulte filer", "Crop image previews" : "Beskær forhåndsvisninger af billeder", "Additional settings" : "Yderligere indstillinger", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Kopier til udklipsholder", + "Copy" : "Kopier", "Warnings" : "Advarsler", - "Prevent warning dialogs from open or reenable them." : "Forhindr advarselsdialoger i at åbner, eller genaktiver dem.", - "Show a warning dialog when changing a file extension." : "Vis en advarselsdialog når en filendelse ændres.", "Keyboard shortcuts" : "Tastaturgenveje", - "Speed up your Files experience with these quick shortcuts." : "Øg hastigheden for din filoplevelse med disse hurtig-genveje.", - "Open the actions menu for a file" : "Åben handlingsmenuen for en fil", - "Rename a file" : "Omdøb en fil", - "Delete a file" : "Slet en fil", - "Favorite or remove a file from favorites" : "Favoriser fil eller fjern favorisering af filer", - "Manage tags for a file" : "Styr tags for en fil", + "Rename" : "Omdøb", + "Delete" : "Slet", + "Manage tags" : "Administrer tags", "Selection" : "Valg", "Select all files" : "Vælg alle filer", - "Deselect all files" : "Fravælg eller filer", - "Select or deselect a file" : "Vælg eller fravælg en fil", - "Select a range of files" : "Vælg et område af filer", + "Deselect all" : "Fravælg alle", "Navigation" : "Navigation", - "Navigate to the parent folder" : "Naviger til den overordnede mappe", - "Navigate to the file above" : "Naviger til filen ovenover", - "Navigate to the file below" : "Naviger til filen nedenunder", - "Navigate to the file on the left (in grid mode)" : "Naviger til filen til venstre (i gittertilstand)", - "Navigate to the file on the right (in grid mode)" : "Naviger til filen til højre (i gittertilstand)", "View" : "Vis", - "Toggle the grid view" : "Skift gittervisningen", - "Open the sidebar for a file" : "Åben sidebjælken for en fil", + "Toggle grid view" : "Vis som liste", "Show those shortcuts" : "Vis disse genveje", "You" : "Dig", "Shared multiple times with different people" : "Delt flere gange med forskellige mennesker", @@ -253,7 +235,6 @@ OC.L10N.register( "Delete files" : "Slet filer", "Delete folder" : "Slet mappe", "Delete folders" : "Slet mapper", - "Delete" : "Slet", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Du er ved at slette {count} element permanent","Du er ved at slette {count} elementer permanent"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Du er ved at slette {count} element","Du er ved at slette {count} elementer"], "Confirm deletion" : "Bekræft sletning", @@ -271,7 +252,6 @@ OC.L10N.register( "The file does not exist anymore" : "Filen findes ikke længere", "Choose destination" : "Vælg destination", "Copy to {target}" : "Kopier til {target}", - "Copy" : "Kopier", "Move to {target}" : "Flyt til {target}", "Move" : "Flyt", "Move or copy operation failed" : "Flytte- eller kopioperationen fejlede", @@ -284,8 +264,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Filen bør nu åbne på dit apparat. Hvis den ikke gør det, så kontroller venligst at desktop app'en er installeret.", "Retry and close" : "Forsøg igen og luk", "Open online" : "Åben online", - "Rename" : "Omdøb", - "Open details" : "Mere information", + "Details" : "Detaljer", "View in folder" : "Vis i mappe", "Today" : "I dag", "Last 7 days" : "Sidste 7 dage", @@ -298,7 +277,7 @@ OC.L10N.register( "PDFs" : "PDFer", "Folders" : "Mapper", "Audio" : "Lyd", - "Photos and images" : "Fotos og billeder", + "Images" : "Billeder", "Videos" : "Videoer", "Created new folder \"{name}\"" : "Oprettede ny mappe \"{name}\"", "Unable to initialize the templates directory" : "Kan ikke initialisere skabelonmappen", @@ -324,7 +303,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Navnet \"{newName}\" bruges allerede i mappen \"{dir}\". Vælg et andet navn.", "Could not rename \"{oldName}\"" : "Kunne ikke omdøbe \"{oldName}\"", "This operation is forbidden" : "Denne operation er forbudt", - "This directory is unavailable, please check the logs or contact the administrator" : "Denne mappe er utilgængelig, tjek venligst loggene eller kontakt administratoren", "Storage is temporarily not available" : "Lagerplads er midlertidigt ikke tilgængeligt", "Unexpected error: {error}" : "Uventet fejl: {error}", "_%n file_::_%n files_" : ["%n fil","%n filer"], @@ -375,12 +353,12 @@ OC.L10N.register( "Edit locally" : "Rediger lokalt", "Open" : "Åbn", "Could not load info for file \"{file}\"" : "Kunne ikke indlæse information for filen \"{file}\"", - "Details" : "Detaljer", "Please select tag(s) to add to the selection" : "Vælg venligst tag(s) for at tilføje til markeringen", "Apply tag(s) to selection" : "Anvend tag(s) på markeringen", "Select directory \"{dirName}\"" : "Vælg mappe \"{dirName}\"", "Select file \"{fileName}\"" : "Vælg fil \"{fileName}\"", "Unable to determine date" : "Kan ikke fastslå datoen", + "This directory is unavailable, please check the logs or contact the administrator" : "Denne mappe er utilgængelig, tjek venligst loggene eller kontakt administratoren", "Could not move \"{file}\", target exists" : "Kunne ikke flytte \"{file}\" - filen findes allerede", "Could not move \"{file}\"" : "Kunne ikke flytte \"{file}\"", "copy" : "kopier", @@ -428,15 +406,24 @@ OC.L10N.register( "Not favored" : "Ikke foretrukket", "An error occurred while trying to update the tags" : "Der opstod en fejl under forsøg på at opdatere mærkerne", "Upload (max. %s)" : "Upload (max. %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\"-handling blev udført korrekt", + "\"{displayName}\" action failed" : "\"{displayName}\"-handling mislykkedes", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" fejlede på nogle elementer", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\"-handling blev udført korrekt", "Submitting fields…" : "Sender felter...", "Filter filenames…" : "Filtrer filnavne...", + "WebDAV URL copied to clipboard" : "WebDAV URL kopieret til udklipsholder", "Enable the grid view" : "Aktiver gittervisning", + "Enable folder tree" : "Aktiver mappetræ", + "Copy to clipboard" : "Kopier til udklipsholder", "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", + "Open details" : "Mere information", + "Photos and images" : "Fotos og billeder", "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"], @@ -447,6 +434,24 @@ OC.L10N.register( "Personal Files" : "Personlige filer", "Text file" : "Tekstfil", "New text file.txt" : "Ny tekstfil.txt", - "Filter file names …" : "Filtrer filnavne ..." + "Filter file names …" : "Filtrer filnavne ...", + "Prevent warning dialogs from open or reenable them." : "Forhindr advarselsdialoger i at åbner, eller genaktiver dem.", + "Show a warning dialog when changing a file extension." : "Vis en advarselsdialog når en filendelse ændres.", + "Speed up your Files experience with these quick shortcuts." : "Øg hastigheden for din filoplevelse med disse hurtig-genveje.", + "Open the actions menu for a file" : "Åben handlingsmenuen for en fil", + "Rename a file" : "Omdøb en fil", + "Delete a file" : "Slet en fil", + "Favorite or remove a file from favorites" : "Favoriser fil eller fjern favorisering af filer", + "Manage tags for a file" : "Styr tags for en fil", + "Deselect all files" : "Fravælg eller filer", + "Select or deselect a file" : "Vælg eller fravælg en fil", + "Select a range of files" : "Vælg et område af filer", + "Navigate to the parent folder" : "Naviger til den overordnede mappe", + "Navigate to the file above" : "Naviger til filen ovenover", + "Navigate to the file below" : "Naviger til filen nedenunder", + "Navigate to the file on the left (in grid mode)" : "Naviger til filen til venstre (i gittertilstand)", + "Navigate to the file on the right (in grid mode)" : "Naviger til filen til højre (i gittertilstand)", + "Toggle the grid view" : "Skift gittervisningen", + "Open the sidebar for a file" : "Åben sidebjælken for en fil" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/da.json b/apps/files/l10n/da.json index 1f4b692ab44..eb731f27a99 100644 --- a/apps/files/l10n/da.json +++ b/apps/files/l10n/da.json @@ -105,9 +105,6 @@ "Toggle selection for all files and folders" : "Skift markering for alle filer og mapper", "Name" : "Navn", "Size" : "Størrelse", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" fejlede på nogle elementer", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\"-handling blev udført korrekt", - "\"{displayName}\" action failed" : "\"{displayName}\"-handling mislykkedes", "Actions" : "Handlinger", "(selected)" : "(valgt)", "List of files and folders." : "Liste med filer og mapper.", @@ -115,7 +112,6 @@ "Column headers with buttons are sortable." : "Kolonneoverskrifter med knapper er sorterbare.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Hele listen er ikke hentet, af hensyn til størrelsen. Listen vil blive hentet løbende som du kører igennem listen.", "File not found" : "Filen blev ikke fundet", - "Search globally" : "Søg globalt", "{usedQuotaByte} used" : "{usedQuotaByte} brugt", "{used} of {quota} used" : "{used} af {quota} brugt", "{relative}% used" : "{relative}% brugt", @@ -164,7 +160,6 @@ "Error during upload: {message}" : "Fejl under upload: {message}", "Error during upload, status code {status}" : "Fejl under upload, statuskode {status}", "Unknown error during upload" : "Ukendt fejl under upload", - "\"{displayName}\" action executed successfully" : "\"{displayName}\"-handling blev udført korrekt", "Loading current folder" : "Indlæser aktuelle mappe", "Retry" : "Prøv igen", "No files in here" : "Her er ingen filer", @@ -177,42 +172,29 @@ "File cannot be accessed" : "Filen kan ikke tilgås", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Filen kunne ikke findes eller du har ikke tilladelser til at se den. Bed afsenderen om at dele den.", "Clipboard is not available" : "Udklipsholderen er ikke tilgængelig", - "WebDAV URL copied to clipboard" : "WebDAV URL kopieret til udklipsholder", + "General" : "Generelt", "All files" : "Alle filer", "Personal files" : "Personlige filer", "Sort favorites first" : "Vis favoritter først", "Sort folders before files" : "Sorter mapper før filer", - "Enable folder tree" : "Aktiver mappetræ", + "Appearance" : "Udseende", "Show hidden files" : "Vis skjulte filer", "Crop image previews" : "Beskær forhåndsvisninger af billeder", "Additional settings" : "Yderligere indstillinger", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Kopier til udklipsholder", + "Copy" : "Kopier", "Warnings" : "Advarsler", - "Prevent warning dialogs from open or reenable them." : "Forhindr advarselsdialoger i at åbner, eller genaktiver dem.", - "Show a warning dialog when changing a file extension." : "Vis en advarselsdialog når en filendelse ændres.", "Keyboard shortcuts" : "Tastaturgenveje", - "Speed up your Files experience with these quick shortcuts." : "Øg hastigheden for din filoplevelse med disse hurtig-genveje.", - "Open the actions menu for a file" : "Åben handlingsmenuen for en fil", - "Rename a file" : "Omdøb en fil", - "Delete a file" : "Slet en fil", - "Favorite or remove a file from favorites" : "Favoriser fil eller fjern favorisering af filer", - "Manage tags for a file" : "Styr tags for en fil", + "Rename" : "Omdøb", + "Delete" : "Slet", + "Manage tags" : "Administrer tags", "Selection" : "Valg", "Select all files" : "Vælg alle filer", - "Deselect all files" : "Fravælg eller filer", - "Select or deselect a file" : "Vælg eller fravælg en fil", - "Select a range of files" : "Vælg et område af filer", + "Deselect all" : "Fravælg alle", "Navigation" : "Navigation", - "Navigate to the parent folder" : "Naviger til den overordnede mappe", - "Navigate to the file above" : "Naviger til filen ovenover", - "Navigate to the file below" : "Naviger til filen nedenunder", - "Navigate to the file on the left (in grid mode)" : "Naviger til filen til venstre (i gittertilstand)", - "Navigate to the file on the right (in grid mode)" : "Naviger til filen til højre (i gittertilstand)", "View" : "Vis", - "Toggle the grid view" : "Skift gittervisningen", - "Open the sidebar for a file" : "Åben sidebjælken for en fil", + "Toggle grid view" : "Vis som liste", "Show those shortcuts" : "Vis disse genveje", "You" : "Dig", "Shared multiple times with different people" : "Delt flere gange med forskellige mennesker", @@ -251,7 +233,6 @@ "Delete files" : "Slet filer", "Delete folder" : "Slet mappe", "Delete folders" : "Slet mapper", - "Delete" : "Slet", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Du er ved at slette {count} element permanent","Du er ved at slette {count} elementer permanent"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Du er ved at slette {count} element","Du er ved at slette {count} elementer"], "Confirm deletion" : "Bekræft sletning", @@ -269,7 +250,6 @@ "The file does not exist anymore" : "Filen findes ikke længere", "Choose destination" : "Vælg destination", "Copy to {target}" : "Kopier til {target}", - "Copy" : "Kopier", "Move to {target}" : "Flyt til {target}", "Move" : "Flyt", "Move or copy operation failed" : "Flytte- eller kopioperationen fejlede", @@ -282,8 +262,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Filen bør nu åbne på dit apparat. Hvis den ikke gør det, så kontroller venligst at desktop app'en er installeret.", "Retry and close" : "Forsøg igen og luk", "Open online" : "Åben online", - "Rename" : "Omdøb", - "Open details" : "Mere information", + "Details" : "Detaljer", "View in folder" : "Vis i mappe", "Today" : "I dag", "Last 7 days" : "Sidste 7 dage", @@ -296,7 +275,7 @@ "PDFs" : "PDFer", "Folders" : "Mapper", "Audio" : "Lyd", - "Photos and images" : "Fotos og billeder", + "Images" : "Billeder", "Videos" : "Videoer", "Created new folder \"{name}\"" : "Oprettede ny mappe \"{name}\"", "Unable to initialize the templates directory" : "Kan ikke initialisere skabelonmappen", @@ -322,7 +301,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Navnet \"{newName}\" bruges allerede i mappen \"{dir}\". Vælg et andet navn.", "Could not rename \"{oldName}\"" : "Kunne ikke omdøbe \"{oldName}\"", "This operation is forbidden" : "Denne operation er forbudt", - "This directory is unavailable, please check the logs or contact the administrator" : "Denne mappe er utilgængelig, tjek venligst loggene eller kontakt administratoren", "Storage is temporarily not available" : "Lagerplads er midlertidigt ikke tilgængeligt", "Unexpected error: {error}" : "Uventet fejl: {error}", "_%n file_::_%n files_" : ["%n fil","%n filer"], @@ -373,12 +351,12 @@ "Edit locally" : "Rediger lokalt", "Open" : "Åbn", "Could not load info for file \"{file}\"" : "Kunne ikke indlæse information for filen \"{file}\"", - "Details" : "Detaljer", "Please select tag(s) to add to the selection" : "Vælg venligst tag(s) for at tilføje til markeringen", "Apply tag(s) to selection" : "Anvend tag(s) på markeringen", "Select directory \"{dirName}\"" : "Vælg mappe \"{dirName}\"", "Select file \"{fileName}\"" : "Vælg fil \"{fileName}\"", "Unable to determine date" : "Kan ikke fastslå datoen", + "This directory is unavailable, please check the logs or contact the administrator" : "Denne mappe er utilgængelig, tjek venligst loggene eller kontakt administratoren", "Could not move \"{file}\", target exists" : "Kunne ikke flytte \"{file}\" - filen findes allerede", "Could not move \"{file}\"" : "Kunne ikke flytte \"{file}\"", "copy" : "kopier", @@ -426,15 +404,24 @@ "Not favored" : "Ikke foretrukket", "An error occurred while trying to update the tags" : "Der opstod en fejl under forsøg på at opdatere mærkerne", "Upload (max. %s)" : "Upload (max. %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\"-handling blev udført korrekt", + "\"{displayName}\" action failed" : "\"{displayName}\"-handling mislykkedes", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" fejlede på nogle elementer", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\"-handling blev udført korrekt", "Submitting fields…" : "Sender felter...", "Filter filenames…" : "Filtrer filnavne...", + "WebDAV URL copied to clipboard" : "WebDAV URL kopieret til udklipsholder", "Enable the grid view" : "Aktiver gittervisning", + "Enable folder tree" : "Aktiver mappetræ", + "Copy to clipboard" : "Kopier til udklipsholder", "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", + "Open details" : "Mere information", + "Photos and images" : "Fotos og billeder", "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"], @@ -445,6 +432,24 @@ "Personal Files" : "Personlige filer", "Text file" : "Tekstfil", "New text file.txt" : "Ny tekstfil.txt", - "Filter file names …" : "Filtrer filnavne ..." + "Filter file names …" : "Filtrer filnavne ...", + "Prevent warning dialogs from open or reenable them." : "Forhindr advarselsdialoger i at åbner, eller genaktiver dem.", + "Show a warning dialog when changing a file extension." : "Vis en advarselsdialog når en filendelse ændres.", + "Speed up your Files experience with these quick shortcuts." : "Øg hastigheden for din filoplevelse med disse hurtig-genveje.", + "Open the actions menu for a file" : "Åben handlingsmenuen for en fil", + "Rename a file" : "Omdøb en fil", + "Delete a file" : "Slet en fil", + "Favorite or remove a file from favorites" : "Favoriser fil eller fjern favorisering af filer", + "Manage tags for a file" : "Styr tags for en fil", + "Deselect all files" : "Fravælg eller filer", + "Select or deselect a file" : "Vælg eller fravælg en fil", + "Select a range of files" : "Vælg et område af filer", + "Navigate to the parent folder" : "Naviger til den overordnede mappe", + "Navigate to the file above" : "Naviger til filen ovenover", + "Navigate to the file below" : "Naviger til filen nedenunder", + "Navigate to the file on the left (in grid mode)" : "Naviger til filen til venstre (i gittertilstand)", + "Navigate to the file on the right (in grid mode)" : "Naviger til filen til højre (i gittertilstand)", + "Toggle the grid view" : "Skift gittervisningen", + "Open the sidebar for a file" : "Åben sidebjælken for en fil" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/de.js b/apps/files/l10n/de.js index 61d88c6dae2..a8ddd02495c 100644 --- a/apps/files/l10n/de.js +++ b/apps/files/l10n/de.js @@ -115,9 +115,9 @@ OC.L10N.register( "Name" : "Name", "File type" : "Dateityp", "Size" : "Größe", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" ist bei einigen Elementen fehlgeschlagen", - "\"{displayName}\" batch action executed successfully" : "Stapelaktion \"{displayName}\" ausgeführt", - "\"{displayName}\" action failed" : "Aktion \"{displayName}\" fehlgeschlagen", + "{displayName}: failed on some elements" : "{displayName}: Ist bei einigen Elementen fehlgeschlagen", + "{displayName}: done" : "{displayName}: Abgeschlossen", + "{displayName}: failed" : "{displayName}: Fehlgeschlagen", "Actions" : "Aktionen", "(selected)" : "(ausgewählt)", "List of files and folders." : "Liste der Dateien und Ordner", @@ -126,11 +126,10 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Diese Liste wird aus Performance-Gründen nicht vollständig angezeigt. Die Dateien werden angezeigt, wenn du durch die Liste navigierst.", "File not found" : "Datei nicht gefunden", "_{count} selected_::_{count} selected_" : ["{count} ausgewählt","{count} ausgewählt"], - "Search globally by filename …" : "Global nach Dateinamen suchen …", - "Search here by filename …" : "Hier nach Dateinamen suchen …", + "Search everywhere …" : "Überall suchen …", + "Search here …" : "Hier suchen …", "Search scope options" : "Suchbereichsoptionen", - "Filter and search from this location" : "Filtern und von diesem Standort aus suchen", - "Search globally" : "Global suchen", + "Search here" : "Hier suchen", "{usedQuotaByte} used" : "{usedQuotaByte} verwendet", "{used} of {quota} used" : "{used} von {quota} verwendet", "{relative}% used" : "{relative} % verwendet", @@ -180,7 +179,6 @@ OC.L10N.register( "Error during upload: {message}" : "Fehler beim Hochladen: {message}", "Error during upload, status code {status}" : "Fehler beim Hochladen, Statuscode {status}", "Unknown error during upload" : "unbekannte Fehler während des Hochladens", - "\"{displayName}\" action executed successfully" : "Aktion \"{displayName}\" ausgeführt", "Loading current folder" : "Lade aktuellen Ordner", "Retry" : "Wiederholen", "No files in here" : "Keine Dateien vorhanden", @@ -195,49 +193,48 @@ OC.L10N.register( "No search results for “{query}”" : "Keine Suchergebnisse für \"{query}\"", "Search for files" : "Nach Dateien suchen", "Clipboard is not available" : "Zwischenablage ist nicht verfügbar", - "WebDAV URL copied to clipboard" : "WebDAV-URL in die Zwischenablage kopiert", + "WebDAV URL copied" : "WebDAV-URL kopiert", + "General" : "Allgemein", "Default view" : "Standardansicht", "All files" : "Alle Dateien", "Personal files" : "Persönliche Dateien", "Sort favorites first" : "Favoriten zuerst sortieren", "Sort folders before files" : "Ordner vor Dateien sortieren", - "Enable folder tree" : "Ordnerstruktur aktivieren", - "Visual settings" : "Anzeigeeinstellungen", + "Folder tree" : "Ordnerbaum", + "Appearance" : "Aussehen", "Show hidden files" : "Versteckte Dateien anzeigen", "Show file type column" : "Dateityp-Spalte anzeigen", + "Show file extensions" : "Dateierweiterungen anzeigen", "Crop image previews" : "Bildvorschauen zuschneiden", - "Show files extensions" : "Dateierweiterungen anzeigen", "Additional settings" : "Zusätzliche Einstellungen", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV-URL", - "Copy to clipboard" : "In die Zwischenablage kopieren", - "Use this address to access your Files via WebDAV." : "Diese Adresse verwenden, um über WebDAV auf deine Dateien zuzugreifen.", + "Copy" : "Kopieren", + "How to access files using WebDAV" : "So greifst du mit WebDAV auf Dateien zu", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Für dein Konto ist die Zwei-Faktor-Authentifizierung aktiviert. Zur Verbindung eines externen WebDAV-Clients ist daher die Verwendung eines App-Passwortes erforderlich.", "Warnings" : "Warnungen", - "Prevent warning dialogs from open or reenable them." : "Öffnen von Warndialogen verhindern oder diese erneut aktivieren.", - "Show a warning dialog when changing a file extension." : "Beim Ändern einer Dateierweiterung einen Warndialog anzeigen.", - "Show a warning dialog when deleting files." : "Beim Löschen von Dateien einen Warndialog anzeigen.", + "Warn before changing a file extension" : "Vor der Änderung einer Dateierweiterung warnen", + "Warn before deleting files" : "Vor dem Löschen von Dateien warnen", "Keyboard shortcuts" : "Tastaturkürzel", - "Speed up your Files experience with these quick shortcuts." : "Mit diesen Schnellzugriffen schneller mit Dateien arbeiten.", - "Open the actions menu for a file" : "Aktionsmenü für eine Datei öffnen", - "Rename a file" : "Eine Datei umbenennen", - "Delete a file" : "Eine Datei löschen", - "Favorite or remove a file from favorites" : "Datei favorisieren oder aus den Favoriten entfernen", - "Manage tags for a file" : "Schlagworte für eine Datei verwalten", + "File actions" : "Dateiaktionen", + "Rename" : "Umbenennen", + "Delete" : "Löschen", + "Add or remove favorite" : "Favorit hinzufügen oder entfernen", + "Manage tags" : "Schlagworte verwalten", "Selection" : "Auswahl", "Select all files" : "Alle Dateien auswählen", - "Deselect all files" : "Auswahl aller Dateien aufheben", - "Select or deselect a file" : "Auswählen oder Auswahl einer Datei aufheben", - "Select a range of files" : "Einen Bereich von Dateien auswählen", + "Deselect all" : "Auswahl aufheben", + "Select or deselect" : "Aus- oder Abwählen", + "Select a range" : "Einen Bereich auswählen", "Navigation" : "Navigation", - "Navigate to the parent folder" : "Zum übergeordneten Ordner navigieren", - "Navigate to the file above" : "Zur obigen Datei navigieren", - "Navigate to the file below" : "Zur unteren Datei navigieren", - "Navigate to the file on the left (in grid mode)" : "Zur Datei links navigieren (in der Kachelansicht)", - "Navigate to the file on the right (in grid mode)" : "Zur Datei rechts navigieren (in der Kachelansicht)", + "Go to parent folder" : "Zum übergeordneten Ordner wechseln", + "Go to file above" : "Zur Datei darüber wechseln", + "Go to file below" : "Zur Datei darunter wechseln", + "Go left in grid" : "Im Raster nach links gehen", + "Go right in grid" : "Im Raster nach rechts gehen", "View" : "Ansehen", - "Toggle the grid view" : "Kachelansicht umschalten", - "Open the sidebar for a file" : "Seitenleiste für eine Datei öffnen", + "Toggle grid view" : "Rasteransicht umschalten", + "Open file sidebar" : "Datei-Seitenleiste öffnen", "Show those shortcuts" : "Diese Tastaturkürzel anzeigen", "You" : "Du", "Shared multiple times with different people" : "Mehrmals mit verschiedenen Personen geteilt", @@ -276,7 +273,6 @@ OC.L10N.register( "Delete files" : "Dateien löschen", "Delete folder" : "Ordner löschen", "Delete folders" : "Ordner löschen", - "Delete" : "Löschen", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Sie sind dabei, {count} Element endgültig zu löschen","Du bist dabei, {count} Elemente endgültig zu löschen."], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Sie sind dabei, {count} Element zu löschen","Du bist dabei, {count} Elemente zu löschen."], "Confirm deletion" : "Löschen bestätigen", @@ -294,7 +290,6 @@ OC.L10N.register( "The file does not exist anymore" : "Die Datei existiert nicht mehr", "Choose destination" : "Ziel wählen", "Copy to {target}" : "Nach {target} kopieren", - "Copy" : "Kopieren", "Move to {target}" : "Nach {target} verschieben", "Move" : "Verschieben", "Move or copy operation failed" : "Verschiebe- oder Kopieroperation ist fehlgeschlagen.", @@ -307,8 +302,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Die Datei sollte sich jetzt auf deinem Gerät öffnen. Wenn dies nicht der Fall ist, überprüfe, ob du die Desktop-App installiert hast.", "Retry and close" : "Erneut versuchen und schließen", "Open online" : "Online öffnen", - "Rename" : "Umbenennen", - "Open details" : "Details öffnen", + "Details" : "Details", "View in folder" : "In Ordner anzeigen", "Today" : "Heute", "Last 7 days" : "Die letzten 7 Tage", @@ -321,7 +315,7 @@ OC.L10N.register( "PDFs" : "PDFs", "Folders" : "Ordner", "Audio" : "Audio", - "Photos and images" : "Fotos und Bilder", + "Images" : "Bilder", "Videos" : "Videos", "Created new folder \"{name}\"" : "Neuer Ordner \"{name}\" wurde erstellt", "Unable to initialize the templates directory" : "Der Vorlagenordner konnte nicht initialisiert werden", @@ -348,7 +342,7 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Der Name \"{newName}“ wird bereits im Ordner \"{dir}“ verwendet. Bitte wähle einen anderen Namen.", "Could not rename \"{oldName}\"" : "\"{oldName}\" konnte nicht umbenannt werden.", "This operation is forbidden" : "Diese Operation ist nicht erlaubt", - "This directory is unavailable, please check the logs or contact the administrator" : "Dieses Verzeichnis ist nicht verfügbar, bitte die Logdateien überprüfen oder die Administration kontaktieren.", + "This folder is unavailable, please try again later or contact the administration" : "Dieser Ordner ist nicht verfügbar. Bitte später erneut versuchen oder an die Administration wenden", "Storage is temporarily not available" : "Speicher ist vorübergehend nicht verfügbar", "Unexpected error: {error}" : "Unerwarteter Fehler: {error}", "_%n file_::_%n files_" : ["%n Datei","%n Dateien"], @@ -363,7 +357,6 @@ OC.L10N.register( "No favorites yet" : "Noch keine Favoriten vorhanden", "Files and folders you mark as favorite will show up here" : "Dateien und Ordner, die als Favoriten markiert werden, erscheinen hier", "List of your files and folders." : "Liste deiner Dateien und Ordner", - "Folder tree" : "Ordnerbaum", "List of your files and folders that are not shared." : "Liste deiner Dateien und Ordner, die nicht geteilt wurden.", "No personal files found" : "Keine persönlichen Dateien gefunden", "Files that are not shared will show up here." : "Dateien, die nicht geteilt wurden, werden hier angezeigt.", @@ -402,12 +395,12 @@ OC.L10N.register( "Edit locally" : "Lokal bearbeiten", "Open" : "Öffnen", "Could not load info for file \"{file}\"" : "Die Informationen zur Datei \"{file}\" konnten nicht geladen werden", - "Details" : "Details", "Please select tag(s) to add to the selection" : "Bitte das/die Schlagwort(e) auswählen, das/die zur Auswahl hinzugefügt werden soll(en)", "Apply tag(s) to selection" : "Schlagwort(e) auf die Auswahl anwenden", "Select directory \"{dirName}\"" : "Verzeichnis \"{dirName}\" auswählen", "Select file \"{fileName}\"" : "Datei \"{fileName}\" auswählen", "Unable to determine date" : "Datum konnte nicht ermittelt werden", + "This directory is unavailable, please check the logs or contact the administrator" : "Dieses Verzeichnis ist nicht verfügbar, bitte die Logdateien überprüfen oder die Administration kontaktieren.", "Could not move \"{file}\", target exists" : "\"{file}\" konnte nicht verschoben werden, Ziel existiert bereits", "Could not move \"{file}\"" : "\"{file}\" konnte nicht verschoben werden", "copy" : "Kopie", @@ -455,15 +448,24 @@ OC.L10N.register( "Not favored" : "Nicht favorisiert", "An error occurred while trying to update the tags" : "Es ist ein Fehler beim Aktualisieren der Tags aufgetreten", "Upload (max. %s)" : "Hochladen (max. %s)", + "\"{displayName}\" action executed successfully" : "Aktion \"{displayName}\" ausgeführt", + "\"{displayName}\" action failed" : "Aktion \"{displayName}\" fehlgeschlagen", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" ist bei einigen Elementen fehlgeschlagen", + "\"{displayName}\" batch action executed successfully" : "Stapelaktion \"{displayName}\" ausgeführt", "Submitting fields…" : "Felder werden übermittelt…", "Filter filenames…" : "Dateinamen filtern…", + "WebDAV URL copied to clipboard" : "WebDAV-URL in die Zwischenablage kopiert", "Enable the grid view" : "Kachelansicht aktivieren", + "Enable folder tree" : "Ordnerstruktur aktivieren", + "Copy to clipboard" : "In die Zwischenablage kopieren", "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", + "Open details" : "Details öffnen", + "Photos and images" : "Fotos und Bilder", "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"], @@ -477,6 +479,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (umbenannt)", "renamed file" : "Umbenannte Datei", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Nach Aktivierung der Windows-kompatiblen Dateinamen können vorhandene Dateien nicht mehr geändert, aber von ihrem Besitzer in gültige neue Namen umbenannt werden.", - "Filter file names …" : "Dateinamen filtern …" + "Filter file names …" : "Dateinamen filtern …", + "Prevent warning dialogs from open or reenable them." : "Öffnen von Warndialogen verhindern oder diese erneut aktivieren.", + "Show a warning dialog when changing a file extension." : "Beim Ändern einer Dateierweiterung einen Warndialog anzeigen.", + "Speed up your Files experience with these quick shortcuts." : "Mit diesen Schnellzugriffen schneller mit Dateien arbeiten.", + "Open the actions menu for a file" : "Aktionsmenü für eine Datei öffnen", + "Rename a file" : "Eine Datei umbenennen", + "Delete a file" : "Eine Datei löschen", + "Favorite or remove a file from favorites" : "Datei favorisieren oder aus den Favoriten entfernen", + "Manage tags for a file" : "Schlagworte für eine Datei verwalten", + "Deselect all files" : "Auswahl aller Dateien aufheben", + "Select or deselect a file" : "Auswählen oder Auswahl einer Datei aufheben", + "Select a range of files" : "Einen Bereich von Dateien auswählen", + "Navigate to the parent folder" : "Zum übergeordneten Ordner navigieren", + "Navigate to the file above" : "Zur obigen Datei navigieren", + "Navigate to the file below" : "Zur unteren Datei navigieren", + "Navigate to the file on the left (in grid mode)" : "Zur Datei links navigieren (in der Kachelansicht)", + "Navigate to the file on the right (in grid mode)" : "Zur Datei rechts navigieren (in der Kachelansicht)", + "Toggle the grid view" : "Kachelansicht umschalten", + "Open the sidebar for a file" : "Seitenleiste für eine Datei öffnen" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/de.json b/apps/files/l10n/de.json index 5f996fa3a30..254f405cd12 100644 --- a/apps/files/l10n/de.json +++ b/apps/files/l10n/de.json @@ -113,9 +113,9 @@ "Name" : "Name", "File type" : "Dateityp", "Size" : "Größe", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" ist bei einigen Elementen fehlgeschlagen", - "\"{displayName}\" batch action executed successfully" : "Stapelaktion \"{displayName}\" ausgeführt", - "\"{displayName}\" action failed" : "Aktion \"{displayName}\" fehlgeschlagen", + "{displayName}: failed on some elements" : "{displayName}: Ist bei einigen Elementen fehlgeschlagen", + "{displayName}: done" : "{displayName}: Abgeschlossen", + "{displayName}: failed" : "{displayName}: Fehlgeschlagen", "Actions" : "Aktionen", "(selected)" : "(ausgewählt)", "List of files and folders." : "Liste der Dateien und Ordner", @@ -124,11 +124,10 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Diese Liste wird aus Performance-Gründen nicht vollständig angezeigt. Die Dateien werden angezeigt, wenn du durch die Liste navigierst.", "File not found" : "Datei nicht gefunden", "_{count} selected_::_{count} selected_" : ["{count} ausgewählt","{count} ausgewählt"], - "Search globally by filename …" : "Global nach Dateinamen suchen …", - "Search here by filename …" : "Hier nach Dateinamen suchen …", + "Search everywhere …" : "Überall suchen …", + "Search here …" : "Hier suchen …", "Search scope options" : "Suchbereichsoptionen", - "Filter and search from this location" : "Filtern und von diesem Standort aus suchen", - "Search globally" : "Global suchen", + "Search here" : "Hier suchen", "{usedQuotaByte} used" : "{usedQuotaByte} verwendet", "{used} of {quota} used" : "{used} von {quota} verwendet", "{relative}% used" : "{relative} % verwendet", @@ -178,7 +177,6 @@ "Error during upload: {message}" : "Fehler beim Hochladen: {message}", "Error during upload, status code {status}" : "Fehler beim Hochladen, Statuscode {status}", "Unknown error during upload" : "unbekannte Fehler während des Hochladens", - "\"{displayName}\" action executed successfully" : "Aktion \"{displayName}\" ausgeführt", "Loading current folder" : "Lade aktuellen Ordner", "Retry" : "Wiederholen", "No files in here" : "Keine Dateien vorhanden", @@ -193,49 +191,48 @@ "No search results for “{query}”" : "Keine Suchergebnisse für \"{query}\"", "Search for files" : "Nach Dateien suchen", "Clipboard is not available" : "Zwischenablage ist nicht verfügbar", - "WebDAV URL copied to clipboard" : "WebDAV-URL in die Zwischenablage kopiert", + "WebDAV URL copied" : "WebDAV-URL kopiert", + "General" : "Allgemein", "Default view" : "Standardansicht", "All files" : "Alle Dateien", "Personal files" : "Persönliche Dateien", "Sort favorites first" : "Favoriten zuerst sortieren", "Sort folders before files" : "Ordner vor Dateien sortieren", - "Enable folder tree" : "Ordnerstruktur aktivieren", - "Visual settings" : "Anzeigeeinstellungen", + "Folder tree" : "Ordnerbaum", + "Appearance" : "Aussehen", "Show hidden files" : "Versteckte Dateien anzeigen", "Show file type column" : "Dateityp-Spalte anzeigen", + "Show file extensions" : "Dateierweiterungen anzeigen", "Crop image previews" : "Bildvorschauen zuschneiden", - "Show files extensions" : "Dateierweiterungen anzeigen", "Additional settings" : "Zusätzliche Einstellungen", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV-URL", - "Copy to clipboard" : "In die Zwischenablage kopieren", - "Use this address to access your Files via WebDAV." : "Diese Adresse verwenden, um über WebDAV auf deine Dateien zuzugreifen.", + "Copy" : "Kopieren", + "How to access files using WebDAV" : "So greifst du mit WebDAV auf Dateien zu", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Für dein Konto ist die Zwei-Faktor-Authentifizierung aktiviert. Zur Verbindung eines externen WebDAV-Clients ist daher die Verwendung eines App-Passwortes erforderlich.", "Warnings" : "Warnungen", - "Prevent warning dialogs from open or reenable them." : "Öffnen von Warndialogen verhindern oder diese erneut aktivieren.", - "Show a warning dialog when changing a file extension." : "Beim Ändern einer Dateierweiterung einen Warndialog anzeigen.", - "Show a warning dialog when deleting files." : "Beim Löschen von Dateien einen Warndialog anzeigen.", + "Warn before changing a file extension" : "Vor der Änderung einer Dateierweiterung warnen", + "Warn before deleting files" : "Vor dem Löschen von Dateien warnen", "Keyboard shortcuts" : "Tastaturkürzel", - "Speed up your Files experience with these quick shortcuts." : "Mit diesen Schnellzugriffen schneller mit Dateien arbeiten.", - "Open the actions menu for a file" : "Aktionsmenü für eine Datei öffnen", - "Rename a file" : "Eine Datei umbenennen", - "Delete a file" : "Eine Datei löschen", - "Favorite or remove a file from favorites" : "Datei favorisieren oder aus den Favoriten entfernen", - "Manage tags for a file" : "Schlagworte für eine Datei verwalten", + "File actions" : "Dateiaktionen", + "Rename" : "Umbenennen", + "Delete" : "Löschen", + "Add or remove favorite" : "Favorit hinzufügen oder entfernen", + "Manage tags" : "Schlagworte verwalten", "Selection" : "Auswahl", "Select all files" : "Alle Dateien auswählen", - "Deselect all files" : "Auswahl aller Dateien aufheben", - "Select or deselect a file" : "Auswählen oder Auswahl einer Datei aufheben", - "Select a range of files" : "Einen Bereich von Dateien auswählen", + "Deselect all" : "Auswahl aufheben", + "Select or deselect" : "Aus- oder Abwählen", + "Select a range" : "Einen Bereich auswählen", "Navigation" : "Navigation", - "Navigate to the parent folder" : "Zum übergeordneten Ordner navigieren", - "Navigate to the file above" : "Zur obigen Datei navigieren", - "Navigate to the file below" : "Zur unteren Datei navigieren", - "Navigate to the file on the left (in grid mode)" : "Zur Datei links navigieren (in der Kachelansicht)", - "Navigate to the file on the right (in grid mode)" : "Zur Datei rechts navigieren (in der Kachelansicht)", + "Go to parent folder" : "Zum übergeordneten Ordner wechseln", + "Go to file above" : "Zur Datei darüber wechseln", + "Go to file below" : "Zur Datei darunter wechseln", + "Go left in grid" : "Im Raster nach links gehen", + "Go right in grid" : "Im Raster nach rechts gehen", "View" : "Ansehen", - "Toggle the grid view" : "Kachelansicht umschalten", - "Open the sidebar for a file" : "Seitenleiste für eine Datei öffnen", + "Toggle grid view" : "Rasteransicht umschalten", + "Open file sidebar" : "Datei-Seitenleiste öffnen", "Show those shortcuts" : "Diese Tastaturkürzel anzeigen", "You" : "Du", "Shared multiple times with different people" : "Mehrmals mit verschiedenen Personen geteilt", @@ -274,7 +271,6 @@ "Delete files" : "Dateien löschen", "Delete folder" : "Ordner löschen", "Delete folders" : "Ordner löschen", - "Delete" : "Löschen", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Sie sind dabei, {count} Element endgültig zu löschen","Du bist dabei, {count} Elemente endgültig zu löschen."], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Sie sind dabei, {count} Element zu löschen","Du bist dabei, {count} Elemente zu löschen."], "Confirm deletion" : "Löschen bestätigen", @@ -292,7 +288,6 @@ "The file does not exist anymore" : "Die Datei existiert nicht mehr", "Choose destination" : "Ziel wählen", "Copy to {target}" : "Nach {target} kopieren", - "Copy" : "Kopieren", "Move to {target}" : "Nach {target} verschieben", "Move" : "Verschieben", "Move or copy operation failed" : "Verschiebe- oder Kopieroperation ist fehlgeschlagen.", @@ -305,8 +300,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Die Datei sollte sich jetzt auf deinem Gerät öffnen. Wenn dies nicht der Fall ist, überprüfe, ob du die Desktop-App installiert hast.", "Retry and close" : "Erneut versuchen und schließen", "Open online" : "Online öffnen", - "Rename" : "Umbenennen", - "Open details" : "Details öffnen", + "Details" : "Details", "View in folder" : "In Ordner anzeigen", "Today" : "Heute", "Last 7 days" : "Die letzten 7 Tage", @@ -319,7 +313,7 @@ "PDFs" : "PDFs", "Folders" : "Ordner", "Audio" : "Audio", - "Photos and images" : "Fotos und Bilder", + "Images" : "Bilder", "Videos" : "Videos", "Created new folder \"{name}\"" : "Neuer Ordner \"{name}\" wurde erstellt", "Unable to initialize the templates directory" : "Der Vorlagenordner konnte nicht initialisiert werden", @@ -346,7 +340,7 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Der Name \"{newName}“ wird bereits im Ordner \"{dir}“ verwendet. Bitte wähle einen anderen Namen.", "Could not rename \"{oldName}\"" : "\"{oldName}\" konnte nicht umbenannt werden.", "This operation is forbidden" : "Diese Operation ist nicht erlaubt", - "This directory is unavailable, please check the logs or contact the administrator" : "Dieses Verzeichnis ist nicht verfügbar, bitte die Logdateien überprüfen oder die Administration kontaktieren.", + "This folder is unavailable, please try again later or contact the administration" : "Dieser Ordner ist nicht verfügbar. Bitte später erneut versuchen oder an die Administration wenden", "Storage is temporarily not available" : "Speicher ist vorübergehend nicht verfügbar", "Unexpected error: {error}" : "Unerwarteter Fehler: {error}", "_%n file_::_%n files_" : ["%n Datei","%n Dateien"], @@ -361,7 +355,6 @@ "No favorites yet" : "Noch keine Favoriten vorhanden", "Files and folders you mark as favorite will show up here" : "Dateien und Ordner, die als Favoriten markiert werden, erscheinen hier", "List of your files and folders." : "Liste deiner Dateien und Ordner", - "Folder tree" : "Ordnerbaum", "List of your files and folders that are not shared." : "Liste deiner Dateien und Ordner, die nicht geteilt wurden.", "No personal files found" : "Keine persönlichen Dateien gefunden", "Files that are not shared will show up here." : "Dateien, die nicht geteilt wurden, werden hier angezeigt.", @@ -400,12 +393,12 @@ "Edit locally" : "Lokal bearbeiten", "Open" : "Öffnen", "Could not load info for file \"{file}\"" : "Die Informationen zur Datei \"{file}\" konnten nicht geladen werden", - "Details" : "Details", "Please select tag(s) to add to the selection" : "Bitte das/die Schlagwort(e) auswählen, das/die zur Auswahl hinzugefügt werden soll(en)", "Apply tag(s) to selection" : "Schlagwort(e) auf die Auswahl anwenden", "Select directory \"{dirName}\"" : "Verzeichnis \"{dirName}\" auswählen", "Select file \"{fileName}\"" : "Datei \"{fileName}\" auswählen", "Unable to determine date" : "Datum konnte nicht ermittelt werden", + "This directory is unavailable, please check the logs or contact the administrator" : "Dieses Verzeichnis ist nicht verfügbar, bitte die Logdateien überprüfen oder die Administration kontaktieren.", "Could not move \"{file}\", target exists" : "\"{file}\" konnte nicht verschoben werden, Ziel existiert bereits", "Could not move \"{file}\"" : "\"{file}\" konnte nicht verschoben werden", "copy" : "Kopie", @@ -453,15 +446,24 @@ "Not favored" : "Nicht favorisiert", "An error occurred while trying to update the tags" : "Es ist ein Fehler beim Aktualisieren der Tags aufgetreten", "Upload (max. %s)" : "Hochladen (max. %s)", + "\"{displayName}\" action executed successfully" : "Aktion \"{displayName}\" ausgeführt", + "\"{displayName}\" action failed" : "Aktion \"{displayName}\" fehlgeschlagen", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" ist bei einigen Elementen fehlgeschlagen", + "\"{displayName}\" batch action executed successfully" : "Stapelaktion \"{displayName}\" ausgeführt", "Submitting fields…" : "Felder werden übermittelt…", "Filter filenames…" : "Dateinamen filtern…", + "WebDAV URL copied to clipboard" : "WebDAV-URL in die Zwischenablage kopiert", "Enable the grid view" : "Kachelansicht aktivieren", + "Enable folder tree" : "Ordnerstruktur aktivieren", + "Copy to clipboard" : "In die Zwischenablage kopieren", "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", + "Open details" : "Details öffnen", + "Photos and images" : "Fotos und Bilder", "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"], @@ -475,6 +477,24 @@ "%1$s (renamed)" : "%1$s (umbenannt)", "renamed file" : "Umbenannte Datei", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Nach Aktivierung der Windows-kompatiblen Dateinamen können vorhandene Dateien nicht mehr geändert, aber von ihrem Besitzer in gültige neue Namen umbenannt werden.", - "Filter file names …" : "Dateinamen filtern …" + "Filter file names …" : "Dateinamen filtern …", + "Prevent warning dialogs from open or reenable them." : "Öffnen von Warndialogen verhindern oder diese erneut aktivieren.", + "Show a warning dialog when changing a file extension." : "Beim Ändern einer Dateierweiterung einen Warndialog anzeigen.", + "Speed up your Files experience with these quick shortcuts." : "Mit diesen Schnellzugriffen schneller mit Dateien arbeiten.", + "Open the actions menu for a file" : "Aktionsmenü für eine Datei öffnen", + "Rename a file" : "Eine Datei umbenennen", + "Delete a file" : "Eine Datei löschen", + "Favorite or remove a file from favorites" : "Datei favorisieren oder aus den Favoriten entfernen", + "Manage tags for a file" : "Schlagworte für eine Datei verwalten", + "Deselect all files" : "Auswahl aller Dateien aufheben", + "Select or deselect a file" : "Auswählen oder Auswahl einer Datei aufheben", + "Select a range of files" : "Einen Bereich von Dateien auswählen", + "Navigate to the parent folder" : "Zum übergeordneten Ordner navigieren", + "Navigate to the file above" : "Zur obigen Datei navigieren", + "Navigate to the file below" : "Zur unteren Datei navigieren", + "Navigate to the file on the left (in grid mode)" : "Zur Datei links navigieren (in der Kachelansicht)", + "Navigate to the file on the right (in grid mode)" : "Zur Datei rechts navigieren (in der Kachelansicht)", + "Toggle the grid view" : "Kachelansicht umschalten", + "Open the sidebar for a file" : "Seitenleiste für eine Datei öffnen" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/de_DE.js b/apps/files/l10n/de_DE.js index 06ff585cdbe..4b897553f31 100644 --- a/apps/files/l10n/de_DE.js +++ b/apps/files/l10n/de_DE.js @@ -115,9 +115,9 @@ OC.L10N.register( "Name" : "Name", "File type" : "Dateityp", "Size" : "Größe", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" ist bei einigen Elementen fehlgeschlagen", - "\"{displayName}\" batch action executed successfully" : "Stapelaktion \"{displayName}\" ausgeführt", - "\"{displayName}\" action failed" : "Aktion \"{displayName}\" fehlgeschlagen", + "{displayName}: failed on some elements" : "{displayName}: Ist bei einigen Elementen fehlgeschlagen", + "{displayName}: done" : "{displayName}: Abgeschlossen", + "{displayName}: failed" : "{displayName}: Fehlgeschlagen", "Actions" : "Aktionen", "(selected)" : "(ausgewählt)", "List of files and folders." : "Liste der Dateien und Ordner.", @@ -126,11 +126,10 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Diese Liste ist aus Performance-Gründen nicht vollständig gerendert. Die Dateien werden gerendert, wenn Sie durch die Liste navigieren.", "File not found" : "Datei nicht gefunden", "_{count} selected_::_{count} selected_" : ["{count} ausgewählt","{count} ausgewählt"], - "Search globally by filename …" : "Global nach Dateinamen suchen …", - "Search here by filename …" : "Hier nach Dateinamen suchen …", + "Search everywhere …" : "Überall suchen …", + "Search here …" : "Hier suchen …", "Search scope options" : "Suchbereichsoptionen", - "Filter and search from this location" : "Von diesem Standort aus filtern und suchen", - "Search globally" : "Global suchen", + "Search here" : "Hier suchen", "{usedQuotaByte} used" : "{usedQuotaByte} verwendet", "{used} of {quota} used" : "{used} von {quota} verwendet", "{relative}% used" : "{relative} % verwendet", @@ -180,7 +179,6 @@ OC.L10N.register( "Error during upload: {message}" : "Fehler beim Hochladen: {message}", "Error during upload, status code {status}" : "Fehler beim Hochladen, Statuscode {status}", "Unknown error during upload" : "Unbekannter Fehler beim Hochladen", - "\"{displayName}\" action executed successfully" : "Aktion \"{displayName}\" ausgeführt", "Loading current folder" : "Lade aktuellen Ordner", "Retry" : "Wiederholen", "No files in here" : "Keine Dateien vorhanden", @@ -195,49 +193,48 @@ OC.L10N.register( "No search results for “{query}”" : "Keine Suchergebnisse für \"{query}\"", "Search for files" : "Nach Dateien suchen", "Clipboard is not available" : "Zwischenablage ist nicht verfügbar", - "WebDAV URL copied to clipboard" : "WebDAV-URL in die Zwischenablage kopiert", + "WebDAV URL copied" : "WebDAV-URL kopiert", + "General" : "Allgemein", "Default view" : "Standardansicht", "All files" : "Alle Dateien", "Personal files" : "Persönliche Dateien", "Sort favorites first" : "Favoriten zuerst sortieren", "Sort folders before files" : "Ordner vor Dateien sortieren", - "Enable folder tree" : "Ordnerstruktur aktivieren", - "Visual settings" : "Anzeigeeinstellungen", + "Folder tree" : "Ordnerbaum", + "Appearance" : "Aussehen", "Show hidden files" : "Versteckte Dateien anzeigen", "Show file type column" : "Dateityp-Spalte anzeigen", + "Show file extensions" : "Dateierweiterungen anzeigen", "Crop image previews" : "Bildvorschauen zuschneiden", - "Show files extensions" : "Dateierweiterungen anzeigen", "Additional settings" : "Zusätzliche Einstellungen", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV-URL", - "Copy to clipboard" : "In die Zwischenablage kopieren", - "Use this address to access your Files via WebDAV." : "Diese Adresse verwenden, um über WebDAV auf Ihre Dateien zuzugreifen.", + "Copy" : "Kopieren", + "How to access files using WebDAV" : "So greifen Sie mit WebDAV auf Dateien zu", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Für Ihr Konto ist die Zwei-Faktor-Authentifizierung aktiviert. Zur Verbindung eines externen WebDAV-Clients ist daher die Verwendung eines App-Passwortes erforderlich.", "Warnings" : "Warnungen", - "Prevent warning dialogs from open or reenable them." : "Öffnen von Warndialogen verhindern oder diese erneut aktivieren.", - "Show a warning dialog when changing a file extension." : "Beim Ändern einer Dateierweiterung einen Warndialog anzeigen.", - "Show a warning dialog when deleting files." : "Beim Löschen von Dateien einen Warndialog anzeigen.", + "Warn before changing a file extension" : "Vor der Änderung einer Dateierweiterung warnen", + "Warn before deleting files" : "Vor dem Löschen von Dateien warnen", "Keyboard shortcuts" : "Tastaturkürzel", - "Speed up your Files experience with these quick shortcuts." : "Arbeiten Sie schneller mit Dateien mit diesen Schnellzugriffen.", - "Open the actions menu for a file" : "Aktionsmenü für eine Datei öffnen", - "Rename a file" : "Eine Datei umbenennen", - "Delete a file" : "Eine Datei löschen", - "Favorite or remove a file from favorites" : "Datei favorisieren oder aus den Favoriten entfernen", - "Manage tags for a file" : "Schlagworte für eine Datei verwalten", + "File actions" : "Dateiaktionen", + "Rename" : "Umbenennen", + "Delete" : "Löschen", + "Add or remove favorite" : "Favorit hinzufügen oder entfernen", + "Manage tags" : "Schlagworte verwalten", "Selection" : "Auswahl", "Select all files" : "Alle Dateien auswählen", - "Deselect all files" : "Auswahl aller Dateien aufheben", - "Select or deselect a file" : "Auswählen oder Auswahl einer Datei aufheben", - "Select a range of files" : "Einen Bereich von Dateien auswählen", + "Deselect all" : "Auswahl aufheben", + "Select or deselect" : "Aus- oder Abwählen", + "Select a range" : "Einen Bereich auswählen", "Navigation" : "Navigation", - "Navigate to the parent folder" : "Zum übergeordneten Ordner navigieren", - "Navigate to the file above" : "Zur obigen Datei navigieren", - "Navigate to the file below" : "Zur unteren Datei navigieren", - "Navigate to the file on the left (in grid mode)" : "Zur Datei links navigieren (in der Kachelansicht)", - "Navigate to the file on the right (in grid mode)" : "Zur Datei rechts navigieren (in der Kachelansicht)", + "Go to parent folder" : "Zum übergeordneten Ordner wechseln", + "Go to file above" : "Zur Datei darüber wechseln", + "Go to file below" : "Zur Datei darunter wechseln", + "Go left in grid" : "Im Raster nach links gehen", + "Go right in grid" : "Im Raster nach rechts gehen", "View" : "Ansicht", - "Toggle the grid view" : "Kachelansicht umschalten", - "Open the sidebar for a file" : "Seitenleiste für eine Datei öffnen", + "Toggle grid view" : "Kachelansicht umschalten", + "Open file sidebar" : "Datei-Seitenleiste öffnen", "Show those shortcuts" : "Diese Tastaturkürzel anzeigen", "You" : "Sie", "Shared multiple times with different people" : "Mehrmals mit verschiedenen Personen geteilt", @@ -276,7 +273,6 @@ OC.L10N.register( "Delete files" : "Dateien löschen", "Delete folder" : "Ordner löschen", "Delete folders" : "Ordner löschen", - "Delete" : "Löschen", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Sie sind dabei, {count} Element endgültig zu löschen","Sie sind dabei, {count} Elemente endgültig zu löschen"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Sie sind dabei, {count} Element zu löschen","Sie sind dabei, {count} Elemente zu löschen"], "Confirm deletion" : "Löschen bestätigen", @@ -294,7 +290,6 @@ OC.L10N.register( "The file does not exist anymore" : "Diese Datei existiert nicht mehr", "Choose destination" : "Ziel wählen", "Copy to {target}" : "Nach {target} kopieren", - "Copy" : "Kopieren", "Move to {target}" : "Nach {target} verschieben", "Move" : "Verschieben", "Move or copy operation failed" : "Verschiebe- oder Kopieroperation ist fehlgeschlagen.", @@ -307,8 +302,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Die Datei sollte sich jetzt auf Ihrem Gerät öffnen. Wenn dies nicht der Fall ist, überprüfen Sie, ob Sie die Desktop-App installiert haben.", "Retry and close" : "Erneut versuchen und schließen", "Open online" : "Online öffnen", - "Rename" : "Umbenennen", - "Open details" : "Details öffnen", + "Details" : "Details", "View in folder" : "In Ordner anzeigen", "Today" : "Heute", "Last 7 days" : "Die letzten 7 Tage", @@ -321,7 +315,7 @@ OC.L10N.register( "PDFs" : "PDFs", "Folders" : "Ordner", "Audio" : "Audio", - "Photos and images" : "Fotos und Bilder", + "Images" : "Bilder", "Videos" : "Videos", "Created new folder \"{name}\"" : "Neuer Ordner \"{name}\" wurde erstellt", "Unable to initialize the templates directory" : "Der Vorlagenordner kann nicht initialisiert werden", @@ -348,7 +342,7 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Der Name \"{newName}“ wird bereits im Ordner \"{dir}“ verwendet. Bitte einen anderen Namen wählen.", "Could not rename \"{oldName}\"" : "\"{oldName}\" konnte nicht umbenannt werden", "This operation is forbidden" : "Diese Operation ist nicht erlaubt", - "This directory is unavailable, please check the logs or contact the administrator" : "Dieses Verzeichnis ist nicht verfügbar, bitte überprüfen Sie die Protokolldateien oder kontaktieren Sie die Administration", + "This folder is unavailable, please try again later or contact the administration" : "Dieser Ordner ist nicht verfügbar. Bitte später erneut versuchen oder an die Administration wenden", "Storage is temporarily not available" : "Speicher ist vorübergehend nicht verfügbar", "Unexpected error: {error}" : "Unerwarteter Fehler: {error}", "_%n file_::_%n files_" : ["%n Datei","%n Dateien"], @@ -363,7 +357,6 @@ OC.L10N.register( "No favorites yet" : "Noch keine Favoriten vorhanden", "Files and folders you mark as favorite will show up here" : "Dateien und Ordner, die Sie als Favoriten kennzeichnen, werden hier erscheinen", "List of your files and folders." : "Liste Ihrer Dateien und Ordner.", - "Folder tree" : "Ordnerbaum", "List of your files and folders that are not shared." : "Liste Ihrer Dateien und Ordner, die nicht geteilt wurden.", "No personal files found" : "Keine persönlichen Dateien gefunden", "Files that are not shared will show up here." : "Dateien, die nicht geteilt wurden, werden hier angezeigt.", @@ -402,12 +395,12 @@ OC.L10N.register( "Edit locally" : "Lokal bearbeiten", "Open" : "Öffnen", "Could not load info for file \"{file}\"" : "Die Informationen zur Datei \"{file}\" konnten nicht geladen werden", - "Details" : "Details", "Please select tag(s) to add to the selection" : "Bitte wählen Sie das/die Schlagwort(e) aus, das/die Sie zur Auswahl hinzufügen möchten", "Apply tag(s) to selection" : "Schlagwort(e) auf die Auswahl anwenden", "Select directory \"{dirName}\"" : "Ordner \"{dirName}\" auswählen", "Select file \"{fileName}\"" : "Datei \"{fileName}\" auswählen", "Unable to determine date" : "Datum konnte nicht ermittelt werden", + "This directory is unavailable, please check the logs or contact the administrator" : "Dieses Verzeichnis ist nicht verfügbar, bitte überprüfen Sie die Protokolldateien oder kontaktieren Sie die Administration", "Could not move \"{file}\", target exists" : "\"{file}\" konnte nicht verschoben werden, Ziel existiert bereits", "Could not move \"{file}\"" : "\"{file}\" konnte nicht verschoben werden", "copy" : "Kopie", @@ -455,15 +448,24 @@ OC.L10N.register( "Not favored" : "Nicht favorisiert", "An error occurred while trying to update the tags" : "Es ist ein Fehler beim Aktualisieren der Schlagworte aufgetreten", "Upload (max. %s)" : "Hochladen (max. %s)", + "\"{displayName}\" action executed successfully" : "Aktion \"{displayName}\" ausgeführt", + "\"{displayName}\" action failed" : "Aktion \"{displayName}\" fehlgeschlagen", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" ist bei einigen Elementen fehlgeschlagen", + "\"{displayName}\" batch action executed successfully" : "Stapelaktion \"{displayName}\" ausgeführt", "Submitting fields…" : "Felder werden übermittelt…", "Filter filenames…" : "Dateinamen filtern…", + "WebDAV URL copied to clipboard" : "WebDAV-URL in die Zwischenablage kopiert", "Enable the grid view" : "Kachelansicht aktivieren", + "Enable folder tree" : "Ordnerstruktur aktivieren", + "Copy to clipboard" : "In die Zwischenablage kopieren", "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", + "Open details" : "Details öffnen", + "Photos and images" : "Fotos und Bilder", "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"], @@ -477,6 +479,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (umbenannt)", "renamed file" : "Umbenannte Datei", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Nach Aktivierung der Windows-kompatiblen Dateinamen können vorhandene Dateien nicht mehr geändert, aber von ihrem Besitzer in gültige neue Namen umbenannt werden.", - "Filter file names …" : "Dateinamen filtern …" + "Filter file names …" : "Dateinamen filtern …", + "Prevent warning dialogs from open or reenable them." : "Öffnen von Warndialogen verhindern oder diese erneut aktivieren.", + "Show a warning dialog when changing a file extension." : "Beim Ändern einer Dateierweiterung einen Warndialog anzeigen.", + "Speed up your Files experience with these quick shortcuts." : "Arbeiten Sie schneller mit Dateien mit diesen Schnellzugriffen.", + "Open the actions menu for a file" : "Aktionsmenü für eine Datei öffnen", + "Rename a file" : "Eine Datei umbenennen", + "Delete a file" : "Eine Datei löschen", + "Favorite or remove a file from favorites" : "Datei favorisieren oder aus den Favoriten entfernen", + "Manage tags for a file" : "Schlagworte für eine Datei verwalten", + "Deselect all files" : "Auswahl aller Dateien aufheben", + "Select or deselect a file" : "Auswählen oder Auswahl einer Datei aufheben", + "Select a range of files" : "Einen Bereich von Dateien auswählen", + "Navigate to the parent folder" : "Zum übergeordneten Ordner navigieren", + "Navigate to the file above" : "Zur obigen Datei navigieren", + "Navigate to the file below" : "Zur unteren Datei navigieren", + "Navigate to the file on the left (in grid mode)" : "Zur Datei links navigieren (in der Kachelansicht)", + "Navigate to the file on the right (in grid mode)" : "Zur Datei rechts navigieren (in der Kachelansicht)", + "Toggle the grid view" : "Kachelansicht umschalten", + "Open the sidebar for a file" : "Seitenleiste für eine Datei öffnen" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/de_DE.json b/apps/files/l10n/de_DE.json index 5825d9ea6b9..26b5abdbd75 100644 --- a/apps/files/l10n/de_DE.json +++ b/apps/files/l10n/de_DE.json @@ -113,9 +113,9 @@ "Name" : "Name", "File type" : "Dateityp", "Size" : "Größe", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" ist bei einigen Elementen fehlgeschlagen", - "\"{displayName}\" batch action executed successfully" : "Stapelaktion \"{displayName}\" ausgeführt", - "\"{displayName}\" action failed" : "Aktion \"{displayName}\" fehlgeschlagen", + "{displayName}: failed on some elements" : "{displayName}: Ist bei einigen Elementen fehlgeschlagen", + "{displayName}: done" : "{displayName}: Abgeschlossen", + "{displayName}: failed" : "{displayName}: Fehlgeschlagen", "Actions" : "Aktionen", "(selected)" : "(ausgewählt)", "List of files and folders." : "Liste der Dateien und Ordner.", @@ -124,11 +124,10 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Diese Liste ist aus Performance-Gründen nicht vollständig gerendert. Die Dateien werden gerendert, wenn Sie durch die Liste navigieren.", "File not found" : "Datei nicht gefunden", "_{count} selected_::_{count} selected_" : ["{count} ausgewählt","{count} ausgewählt"], - "Search globally by filename …" : "Global nach Dateinamen suchen …", - "Search here by filename …" : "Hier nach Dateinamen suchen …", + "Search everywhere …" : "Überall suchen …", + "Search here …" : "Hier suchen …", "Search scope options" : "Suchbereichsoptionen", - "Filter and search from this location" : "Von diesem Standort aus filtern und suchen", - "Search globally" : "Global suchen", + "Search here" : "Hier suchen", "{usedQuotaByte} used" : "{usedQuotaByte} verwendet", "{used} of {quota} used" : "{used} von {quota} verwendet", "{relative}% used" : "{relative} % verwendet", @@ -178,7 +177,6 @@ "Error during upload: {message}" : "Fehler beim Hochladen: {message}", "Error during upload, status code {status}" : "Fehler beim Hochladen, Statuscode {status}", "Unknown error during upload" : "Unbekannter Fehler beim Hochladen", - "\"{displayName}\" action executed successfully" : "Aktion \"{displayName}\" ausgeführt", "Loading current folder" : "Lade aktuellen Ordner", "Retry" : "Wiederholen", "No files in here" : "Keine Dateien vorhanden", @@ -193,49 +191,48 @@ "No search results for “{query}”" : "Keine Suchergebnisse für \"{query}\"", "Search for files" : "Nach Dateien suchen", "Clipboard is not available" : "Zwischenablage ist nicht verfügbar", - "WebDAV URL copied to clipboard" : "WebDAV-URL in die Zwischenablage kopiert", + "WebDAV URL copied" : "WebDAV-URL kopiert", + "General" : "Allgemein", "Default view" : "Standardansicht", "All files" : "Alle Dateien", "Personal files" : "Persönliche Dateien", "Sort favorites first" : "Favoriten zuerst sortieren", "Sort folders before files" : "Ordner vor Dateien sortieren", - "Enable folder tree" : "Ordnerstruktur aktivieren", - "Visual settings" : "Anzeigeeinstellungen", + "Folder tree" : "Ordnerbaum", + "Appearance" : "Aussehen", "Show hidden files" : "Versteckte Dateien anzeigen", "Show file type column" : "Dateityp-Spalte anzeigen", + "Show file extensions" : "Dateierweiterungen anzeigen", "Crop image previews" : "Bildvorschauen zuschneiden", - "Show files extensions" : "Dateierweiterungen anzeigen", "Additional settings" : "Zusätzliche Einstellungen", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV-URL", - "Copy to clipboard" : "In die Zwischenablage kopieren", - "Use this address to access your Files via WebDAV." : "Diese Adresse verwenden, um über WebDAV auf Ihre Dateien zuzugreifen.", + "Copy" : "Kopieren", + "How to access files using WebDAV" : "So greifen Sie mit WebDAV auf Dateien zu", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Für Ihr Konto ist die Zwei-Faktor-Authentifizierung aktiviert. Zur Verbindung eines externen WebDAV-Clients ist daher die Verwendung eines App-Passwortes erforderlich.", "Warnings" : "Warnungen", - "Prevent warning dialogs from open or reenable them." : "Öffnen von Warndialogen verhindern oder diese erneut aktivieren.", - "Show a warning dialog when changing a file extension." : "Beim Ändern einer Dateierweiterung einen Warndialog anzeigen.", - "Show a warning dialog when deleting files." : "Beim Löschen von Dateien einen Warndialog anzeigen.", + "Warn before changing a file extension" : "Vor der Änderung einer Dateierweiterung warnen", + "Warn before deleting files" : "Vor dem Löschen von Dateien warnen", "Keyboard shortcuts" : "Tastaturkürzel", - "Speed up your Files experience with these quick shortcuts." : "Arbeiten Sie schneller mit Dateien mit diesen Schnellzugriffen.", - "Open the actions menu for a file" : "Aktionsmenü für eine Datei öffnen", - "Rename a file" : "Eine Datei umbenennen", - "Delete a file" : "Eine Datei löschen", - "Favorite or remove a file from favorites" : "Datei favorisieren oder aus den Favoriten entfernen", - "Manage tags for a file" : "Schlagworte für eine Datei verwalten", + "File actions" : "Dateiaktionen", + "Rename" : "Umbenennen", + "Delete" : "Löschen", + "Add or remove favorite" : "Favorit hinzufügen oder entfernen", + "Manage tags" : "Schlagworte verwalten", "Selection" : "Auswahl", "Select all files" : "Alle Dateien auswählen", - "Deselect all files" : "Auswahl aller Dateien aufheben", - "Select or deselect a file" : "Auswählen oder Auswahl einer Datei aufheben", - "Select a range of files" : "Einen Bereich von Dateien auswählen", + "Deselect all" : "Auswahl aufheben", + "Select or deselect" : "Aus- oder Abwählen", + "Select a range" : "Einen Bereich auswählen", "Navigation" : "Navigation", - "Navigate to the parent folder" : "Zum übergeordneten Ordner navigieren", - "Navigate to the file above" : "Zur obigen Datei navigieren", - "Navigate to the file below" : "Zur unteren Datei navigieren", - "Navigate to the file on the left (in grid mode)" : "Zur Datei links navigieren (in der Kachelansicht)", - "Navigate to the file on the right (in grid mode)" : "Zur Datei rechts navigieren (in der Kachelansicht)", + "Go to parent folder" : "Zum übergeordneten Ordner wechseln", + "Go to file above" : "Zur Datei darüber wechseln", + "Go to file below" : "Zur Datei darunter wechseln", + "Go left in grid" : "Im Raster nach links gehen", + "Go right in grid" : "Im Raster nach rechts gehen", "View" : "Ansicht", - "Toggle the grid view" : "Kachelansicht umschalten", - "Open the sidebar for a file" : "Seitenleiste für eine Datei öffnen", + "Toggle grid view" : "Kachelansicht umschalten", + "Open file sidebar" : "Datei-Seitenleiste öffnen", "Show those shortcuts" : "Diese Tastaturkürzel anzeigen", "You" : "Sie", "Shared multiple times with different people" : "Mehrmals mit verschiedenen Personen geteilt", @@ -274,7 +271,6 @@ "Delete files" : "Dateien löschen", "Delete folder" : "Ordner löschen", "Delete folders" : "Ordner löschen", - "Delete" : "Löschen", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Sie sind dabei, {count} Element endgültig zu löschen","Sie sind dabei, {count} Elemente endgültig zu löschen"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Sie sind dabei, {count} Element zu löschen","Sie sind dabei, {count} Elemente zu löschen"], "Confirm deletion" : "Löschen bestätigen", @@ -292,7 +288,6 @@ "The file does not exist anymore" : "Diese Datei existiert nicht mehr", "Choose destination" : "Ziel wählen", "Copy to {target}" : "Nach {target} kopieren", - "Copy" : "Kopieren", "Move to {target}" : "Nach {target} verschieben", "Move" : "Verschieben", "Move or copy operation failed" : "Verschiebe- oder Kopieroperation ist fehlgeschlagen.", @@ -305,8 +300,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Die Datei sollte sich jetzt auf Ihrem Gerät öffnen. Wenn dies nicht der Fall ist, überprüfen Sie, ob Sie die Desktop-App installiert haben.", "Retry and close" : "Erneut versuchen und schließen", "Open online" : "Online öffnen", - "Rename" : "Umbenennen", - "Open details" : "Details öffnen", + "Details" : "Details", "View in folder" : "In Ordner anzeigen", "Today" : "Heute", "Last 7 days" : "Die letzten 7 Tage", @@ -319,7 +313,7 @@ "PDFs" : "PDFs", "Folders" : "Ordner", "Audio" : "Audio", - "Photos and images" : "Fotos und Bilder", + "Images" : "Bilder", "Videos" : "Videos", "Created new folder \"{name}\"" : "Neuer Ordner \"{name}\" wurde erstellt", "Unable to initialize the templates directory" : "Der Vorlagenordner kann nicht initialisiert werden", @@ -346,7 +340,7 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Der Name \"{newName}“ wird bereits im Ordner \"{dir}“ verwendet. Bitte einen anderen Namen wählen.", "Could not rename \"{oldName}\"" : "\"{oldName}\" konnte nicht umbenannt werden", "This operation is forbidden" : "Diese Operation ist nicht erlaubt", - "This directory is unavailable, please check the logs or contact the administrator" : "Dieses Verzeichnis ist nicht verfügbar, bitte überprüfen Sie die Protokolldateien oder kontaktieren Sie die Administration", + "This folder is unavailable, please try again later or contact the administration" : "Dieser Ordner ist nicht verfügbar. Bitte später erneut versuchen oder an die Administration wenden", "Storage is temporarily not available" : "Speicher ist vorübergehend nicht verfügbar", "Unexpected error: {error}" : "Unerwarteter Fehler: {error}", "_%n file_::_%n files_" : ["%n Datei","%n Dateien"], @@ -361,7 +355,6 @@ "No favorites yet" : "Noch keine Favoriten vorhanden", "Files and folders you mark as favorite will show up here" : "Dateien und Ordner, die Sie als Favoriten kennzeichnen, werden hier erscheinen", "List of your files and folders." : "Liste Ihrer Dateien und Ordner.", - "Folder tree" : "Ordnerbaum", "List of your files and folders that are not shared." : "Liste Ihrer Dateien und Ordner, die nicht geteilt wurden.", "No personal files found" : "Keine persönlichen Dateien gefunden", "Files that are not shared will show up here." : "Dateien, die nicht geteilt wurden, werden hier angezeigt.", @@ -400,12 +393,12 @@ "Edit locally" : "Lokal bearbeiten", "Open" : "Öffnen", "Could not load info for file \"{file}\"" : "Die Informationen zur Datei \"{file}\" konnten nicht geladen werden", - "Details" : "Details", "Please select tag(s) to add to the selection" : "Bitte wählen Sie das/die Schlagwort(e) aus, das/die Sie zur Auswahl hinzufügen möchten", "Apply tag(s) to selection" : "Schlagwort(e) auf die Auswahl anwenden", "Select directory \"{dirName}\"" : "Ordner \"{dirName}\" auswählen", "Select file \"{fileName}\"" : "Datei \"{fileName}\" auswählen", "Unable to determine date" : "Datum konnte nicht ermittelt werden", + "This directory is unavailable, please check the logs or contact the administrator" : "Dieses Verzeichnis ist nicht verfügbar, bitte überprüfen Sie die Protokolldateien oder kontaktieren Sie die Administration", "Could not move \"{file}\", target exists" : "\"{file}\" konnte nicht verschoben werden, Ziel existiert bereits", "Could not move \"{file}\"" : "\"{file}\" konnte nicht verschoben werden", "copy" : "Kopie", @@ -453,15 +446,24 @@ "Not favored" : "Nicht favorisiert", "An error occurred while trying to update the tags" : "Es ist ein Fehler beim Aktualisieren der Schlagworte aufgetreten", "Upload (max. %s)" : "Hochladen (max. %s)", + "\"{displayName}\" action executed successfully" : "Aktion \"{displayName}\" ausgeführt", + "\"{displayName}\" action failed" : "Aktion \"{displayName}\" fehlgeschlagen", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" ist bei einigen Elementen fehlgeschlagen", + "\"{displayName}\" batch action executed successfully" : "Stapelaktion \"{displayName}\" ausgeführt", "Submitting fields…" : "Felder werden übermittelt…", "Filter filenames…" : "Dateinamen filtern…", + "WebDAV URL copied to clipboard" : "WebDAV-URL in die Zwischenablage kopiert", "Enable the grid view" : "Kachelansicht aktivieren", + "Enable folder tree" : "Ordnerstruktur aktivieren", + "Copy to clipboard" : "In die Zwischenablage kopieren", "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", + "Open details" : "Details öffnen", + "Photos and images" : "Fotos und Bilder", "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"], @@ -475,6 +477,24 @@ "%1$s (renamed)" : "%1$s (umbenannt)", "renamed file" : "Umbenannte Datei", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Nach Aktivierung der Windows-kompatiblen Dateinamen können vorhandene Dateien nicht mehr geändert, aber von ihrem Besitzer in gültige neue Namen umbenannt werden.", - "Filter file names …" : "Dateinamen filtern …" + "Filter file names …" : "Dateinamen filtern …", + "Prevent warning dialogs from open or reenable them." : "Öffnen von Warndialogen verhindern oder diese erneut aktivieren.", + "Show a warning dialog when changing a file extension." : "Beim Ändern einer Dateierweiterung einen Warndialog anzeigen.", + "Speed up your Files experience with these quick shortcuts." : "Arbeiten Sie schneller mit Dateien mit diesen Schnellzugriffen.", + "Open the actions menu for a file" : "Aktionsmenü für eine Datei öffnen", + "Rename a file" : "Eine Datei umbenennen", + "Delete a file" : "Eine Datei löschen", + "Favorite or remove a file from favorites" : "Datei favorisieren oder aus den Favoriten entfernen", + "Manage tags for a file" : "Schlagworte für eine Datei verwalten", + "Deselect all files" : "Auswahl aller Dateien aufheben", + "Select or deselect a file" : "Auswählen oder Auswahl einer Datei aufheben", + "Select a range of files" : "Einen Bereich von Dateien auswählen", + "Navigate to the parent folder" : "Zum übergeordneten Ordner navigieren", + "Navigate to the file above" : "Zur obigen Datei navigieren", + "Navigate to the file below" : "Zur unteren Datei navigieren", + "Navigate to the file on the left (in grid mode)" : "Zur Datei links navigieren (in der Kachelansicht)", + "Navigate to the file on the right (in grid mode)" : "Zur Datei rechts navigieren (in der Kachelansicht)", + "Toggle the grid view" : "Kachelansicht umschalten", + "Open the sidebar for a file" : "Seitenleiste für eine Datei öffnen" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/el.js b/apps/files/l10n/el.js index 5f411bec092..405918f73bd 100644 --- a/apps/files/l10n/el.js +++ b/apps/files/l10n/el.js @@ -90,14 +90,11 @@ OC.L10N.register( "Toggle selection for all files and folders" : "Εναλλαγή επιλογής για όλα τα αρχεία και τους φακέλους", "Name" : "Όνομα", "Size" : "Μέγεθος", - "\"{displayName}\" batch action executed successfully" : "Η μαζική ενέργεια του/της \"{displayName}\" εκτελέστηκε επιτυχώς", - "\"{displayName}\" action failed" : "Η ενέργεια του \"{displayName}\" απέτυχε", "Actions" : "Ενέργειες", "List of files and folders." : "Λίστα αρχείων και φακέλων.", "Column headers with buttons are sortable." : "Οι επικεφαλίδες στηλών με κουμπιά είναι ταξινομήσιμες.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Η λίστα αυτή δεν εμφανίζεται πλήρως για λόγους απόδοσης. Τα αρχεία θα εμφανίζονται καθώς πλοηγείστε στη λίστα.", "File not found" : "Δε βρέθηκε το αρχείο", - "Search globally" : "Γενική αναζήτηση", "{usedQuotaByte} used" : "{usedQuotaByte} χρησιμοποιείται", "{used} of {quota} used" : "Χρήση {used} από {quota} ", "{relative}% used" : "{relative}% χρησιμοποιείται", @@ -133,7 +130,6 @@ OC.L10N.register( "Error during upload: {message}" : "Σφάλμα κατά τη μεταφόρτωση: {message}", "Error during upload, status code {status}" : "Σφάλμα κατά τη μεταφόρτωση, κωδικός κατάστασης {status}", "Unknown error during upload" : "Άγνωστο σφάλμα κατά τη μεταφόρτωση", - "\"{displayName}\" action executed successfully" : "Η ενέργεια του/της \"{displayName}\" εκτελέστηκε επιτυχώς", "Loading current folder" : "Φόρτωση τρέχοντος φακέλου", "Retry" : "Δοκιμή ξανά", "No files in here" : "Δεν υπάρχουν αρχεία εδώ", @@ -146,20 +142,27 @@ OC.L10N.register( "File cannot be accessed" : "Δεν είναι δυνατή η πρόσβαση στο αρχείο", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Το αρχείο δεν βρέθηκε ή δεν έχετε δικαιώματα προβολής του. Ζητήστε από τον αποστολέα να το μοιράσει.", "Clipboard is not available" : "Το πρόχειρο δεν είναι διαθέσιμο", - "WebDAV URL copied to clipboard" : "Ο σύνδεσμος WebDAV αντιγράφηκε στο πρόχειρο", + "General" : "Γενικά", "All files" : "Όλα τα αρχεία", "Personal files" : "Προσωπικά αρχεία", "Sort favorites first" : "Ταξινόμηση των αγαπημένων πρώτα", "Sort folders before files" : "Ταξινόμηση φακέλων πριν από τα αρχεία", + "Appearance" : "Εμφάνιση", "Show hidden files" : "Εμφάνιση κρυφών αρχείων", "Crop image previews" : "Περικοπή προεπισκόπησης εικόνας", "Additional settings" : "Επιπρόσθετες ρυθμίσεις", "WebDAV" : "WebDAV", - "Copy to clipboard" : "Αντιγραφή στο πρόχειρο", + "Copy" : "Αντιγραφή", "Keyboard shortcuts" : "Συντομεύσεις πληκτρολογίου", + "File actions" : "Ενέργειες αρχείου", + "Rename" : "Μετονομασία", + "Delete" : "Διαγραφή", + "Manage tags" : "Διαχείριση ετικετών", "Selection" : "Επιλογή", + "Deselect all" : "Αναίρεση επιλογής όλων", "Navigation" : "Πλοήγηση", "View" : "Προβολή", + "Toggle grid view" : "Εναλλαγή σε προβολή πλέγματος", "You" : "Εσύ", "Error while loading the file data" : "Σφάλμα κατά την φόρτωση αρχείου δεδομένων", "Owner" : "Κάτοχος", @@ -180,7 +183,6 @@ OC.L10N.register( "Delete files" : "Διαγραφή αρχείων", "Delete folder" : "Διαγραφή φακέλου", "Delete folders" : "Διαγραφή φακέλων", - "Delete" : "Διαγραφή", "Confirm deletion" : "Επιβεβαίωση διαγραφής", "Cancel" : "Ακύρωση", "Download" : "Λήψη", @@ -194,7 +196,6 @@ OC.L10N.register( "The file does not exist anymore" : "Το αρχείο δεν υπάρχει πλέον", "Choose destination" : "Επιλέξτε προορισμό", "Copy to {target}" : "Αντιγραφή σε {target}", - "Copy" : "Αντιγραφή", "Move to {target}" : "Μετακίνηση σε {target}", "Move" : "Μετακίνηση", "Move or copy operation failed" : "Η λειτουργία μετακίνησης ή αντιγραφής απέτυχε", @@ -202,8 +203,7 @@ OC.L10N.register( "Open folder {displayName}" : "Άνοιγμα φακέλου {displayName}", "Open in Files" : "Άνοιγμα στα Αρχεία", "Failed to redirect to client" : "Αποτυχία ανακατεύθυνσης στον πελάτη", - "Rename" : "Μετονομασία", - "Open details" : "Άνοιγμα λεπτομερειών", + "Details" : "Λεπτομέρειες", "View in folder" : "Προβολή στον φάκελο", "Today" : "Σήμερα", "Last 7 days" : "Τελευταίες 7 ημέρες", @@ -213,7 +213,7 @@ OC.L10N.register( "Documents" : "Έγγραφα", "Presentations" : "Παρουσιάσεις", "Audio" : "Ήχος", - "Photos and images" : "Φωτογραφίες και εικόνες", + "Images" : "Εικόνες", "Videos" : "Βίντεο", "Created new folder \"{name}\"" : "Δημιουργήθηκε νέος φάκελος \"{name}\"", "Unable to initialize the templates directory" : "Δεν είναι δυνατή η προετοιμασία του καταλόγου προτύπων", @@ -233,7 +233,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Το όνομα \"{newName}\" χρησιμοποιείται ήδη στον φάκελο \"{dir}\". Παρακαλώ επιλέξτε ένα διαφορετικό όνομα.", "Could not rename \"{oldName}\"" : "Δεν ήταν δυνατή η μετονομασία του \"{oldName}\"", "This operation is forbidden" : "Αυτή η λειτουργία απαγορεύεται", - "This directory is unavailable, please check the logs or contact the administrator" : "Ο κατάλογος δεν είναι διαθέσιμος, παρακαλούμε ελέγξτε τα αρχεία καταγραφής ή επικοινωνήστε με το διαχειριστή", "Storage is temporarily not available" : "Μη διαθέσιμος χώρος αποθήκευσης προσωρινά", "_%n file_::_%n files_" : ["%n αρχείο","%n αρχεία"], "_%n folder_::_%n folders_" : ["%n φάκελος","%n φάκελοι"], @@ -282,12 +281,12 @@ OC.L10N.register( "Edit locally" : "Επεξεργασία τοπικά", "Open" : "Άνοιγμα", "Could not load info for file \"{file}\"" : "Αδυναμία φόρτωσης πληροφοριών για το αρχείο \"{file}\"", - "Details" : "Λεπτομέρειες", "Please select tag(s) to add to the selection" : "Επιλέξτε ετικέτα (ες) για προσθήκη στην επιλογή", "Apply tag(s) to selection" : "Εφαρμογή ετικετών στην επιλογή", "Select directory \"{dirName}\"" : "Επιλέξτε κατάλογο \"{dirName}\"", "Select file \"{fileName}\"" : "Επιλέξτε αρχείο \"{fileName}\"", "Unable to determine date" : "Αδυναμία προσδιορισμού ημερομηνίας", + "This directory is unavailable, please check the logs or contact the administrator" : "Ο κατάλογος δεν είναι διαθέσιμος, παρακαλούμε ελέγξτε τα αρχεία καταγραφής ή επικοινωνήστε με το διαχειριστή", "Could not move \"{file}\", target exists" : "Αδυναμία μετακίνησης του \"{file}\", υπάρχει ήδη αρχείο με αυτό το όνομα", "Could not move \"{file}\"" : "Αδυναμία μετακίνησης του \"{file}\"", "copy" : "αντιγραφή", @@ -332,13 +331,20 @@ OC.L10N.register( "Upload file" : "Μεταφόρτωση αρχείου", "An error occurred while trying to update the tags" : "Ένα σφάλμα προέκυψε κατά τη διάρκεια ενημέρωσης των ετικετών", "Upload (max. %s)" : "Μεταφόρτωση (max. %s)", + "\"{displayName}\" action executed successfully" : "Η ενέργεια του/της \"{displayName}\" εκτελέστηκε επιτυχώς", + "\"{displayName}\" action failed" : "Η ενέργεια του \"{displayName}\" απέτυχε", + "\"{displayName}\" batch action executed successfully" : "Η μαζική ενέργεια του/της \"{displayName}\" εκτελέστηκε επιτυχώς", "Filter filenames…" : "Φιλτράρετε τα ονόματα αρχείων...", + "WebDAV URL copied to clipboard" : "Ο σύνδεσμος WebDAV αντιγράφηκε στο πρόχειρο", "Enable the grid view" : "Ενεργοποίηση της προβολής πλέγματος", + "Copy to clipboard" : "Αντιγραφή στο πρόχειρο", "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" : "Ακυρώθηκε η λειτουργία μετακίνησης ή αντιγραφής", + "Open details" : "Άνοιγμα λεπτομερειών", + "Photos and images" : "Φωτογραφίες και εικόνες", "_{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 69b01424fa8..23229d28715 100644 --- a/apps/files/l10n/el.json +++ b/apps/files/l10n/el.json @@ -88,14 +88,11 @@ "Toggle selection for all files and folders" : "Εναλλαγή επιλογής για όλα τα αρχεία και τους φακέλους", "Name" : "Όνομα", "Size" : "Μέγεθος", - "\"{displayName}\" batch action executed successfully" : "Η μαζική ενέργεια του/της \"{displayName}\" εκτελέστηκε επιτυχώς", - "\"{displayName}\" action failed" : "Η ενέργεια του \"{displayName}\" απέτυχε", "Actions" : "Ενέργειες", "List of files and folders." : "Λίστα αρχείων και φακέλων.", "Column headers with buttons are sortable." : "Οι επικεφαλίδες στηλών με κουμπιά είναι ταξινομήσιμες.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Η λίστα αυτή δεν εμφανίζεται πλήρως για λόγους απόδοσης. Τα αρχεία θα εμφανίζονται καθώς πλοηγείστε στη λίστα.", "File not found" : "Δε βρέθηκε το αρχείο", - "Search globally" : "Γενική αναζήτηση", "{usedQuotaByte} used" : "{usedQuotaByte} χρησιμοποιείται", "{used} of {quota} used" : "Χρήση {used} από {quota} ", "{relative}% used" : "{relative}% χρησιμοποιείται", @@ -131,7 +128,6 @@ "Error during upload: {message}" : "Σφάλμα κατά τη μεταφόρτωση: {message}", "Error during upload, status code {status}" : "Σφάλμα κατά τη μεταφόρτωση, κωδικός κατάστασης {status}", "Unknown error during upload" : "Άγνωστο σφάλμα κατά τη μεταφόρτωση", - "\"{displayName}\" action executed successfully" : "Η ενέργεια του/της \"{displayName}\" εκτελέστηκε επιτυχώς", "Loading current folder" : "Φόρτωση τρέχοντος φακέλου", "Retry" : "Δοκιμή ξανά", "No files in here" : "Δεν υπάρχουν αρχεία εδώ", @@ -144,20 +140,27 @@ "File cannot be accessed" : "Δεν είναι δυνατή η πρόσβαση στο αρχείο", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Το αρχείο δεν βρέθηκε ή δεν έχετε δικαιώματα προβολής του. Ζητήστε από τον αποστολέα να το μοιράσει.", "Clipboard is not available" : "Το πρόχειρο δεν είναι διαθέσιμο", - "WebDAV URL copied to clipboard" : "Ο σύνδεσμος WebDAV αντιγράφηκε στο πρόχειρο", + "General" : "Γενικά", "All files" : "Όλα τα αρχεία", "Personal files" : "Προσωπικά αρχεία", "Sort favorites first" : "Ταξινόμηση των αγαπημένων πρώτα", "Sort folders before files" : "Ταξινόμηση φακέλων πριν από τα αρχεία", + "Appearance" : "Εμφάνιση", "Show hidden files" : "Εμφάνιση κρυφών αρχείων", "Crop image previews" : "Περικοπή προεπισκόπησης εικόνας", "Additional settings" : "Επιπρόσθετες ρυθμίσεις", "WebDAV" : "WebDAV", - "Copy to clipboard" : "Αντιγραφή στο πρόχειρο", + "Copy" : "Αντιγραφή", "Keyboard shortcuts" : "Συντομεύσεις πληκτρολογίου", + "File actions" : "Ενέργειες αρχείου", + "Rename" : "Μετονομασία", + "Delete" : "Διαγραφή", + "Manage tags" : "Διαχείριση ετικετών", "Selection" : "Επιλογή", + "Deselect all" : "Αναίρεση επιλογής όλων", "Navigation" : "Πλοήγηση", "View" : "Προβολή", + "Toggle grid view" : "Εναλλαγή σε προβολή πλέγματος", "You" : "Εσύ", "Error while loading the file data" : "Σφάλμα κατά την φόρτωση αρχείου δεδομένων", "Owner" : "Κάτοχος", @@ -178,7 +181,6 @@ "Delete files" : "Διαγραφή αρχείων", "Delete folder" : "Διαγραφή φακέλου", "Delete folders" : "Διαγραφή φακέλων", - "Delete" : "Διαγραφή", "Confirm deletion" : "Επιβεβαίωση διαγραφής", "Cancel" : "Ακύρωση", "Download" : "Λήψη", @@ -192,7 +194,6 @@ "The file does not exist anymore" : "Το αρχείο δεν υπάρχει πλέον", "Choose destination" : "Επιλέξτε προορισμό", "Copy to {target}" : "Αντιγραφή σε {target}", - "Copy" : "Αντιγραφή", "Move to {target}" : "Μετακίνηση σε {target}", "Move" : "Μετακίνηση", "Move or copy operation failed" : "Η λειτουργία μετακίνησης ή αντιγραφής απέτυχε", @@ -200,8 +201,7 @@ "Open folder {displayName}" : "Άνοιγμα φακέλου {displayName}", "Open in Files" : "Άνοιγμα στα Αρχεία", "Failed to redirect to client" : "Αποτυχία ανακατεύθυνσης στον πελάτη", - "Rename" : "Μετονομασία", - "Open details" : "Άνοιγμα λεπτομερειών", + "Details" : "Λεπτομέρειες", "View in folder" : "Προβολή στον φάκελο", "Today" : "Σήμερα", "Last 7 days" : "Τελευταίες 7 ημέρες", @@ -211,7 +211,7 @@ "Documents" : "Έγγραφα", "Presentations" : "Παρουσιάσεις", "Audio" : "Ήχος", - "Photos and images" : "Φωτογραφίες και εικόνες", + "Images" : "Εικόνες", "Videos" : "Βίντεο", "Created new folder \"{name}\"" : "Δημιουργήθηκε νέος φάκελος \"{name}\"", "Unable to initialize the templates directory" : "Δεν είναι δυνατή η προετοιμασία του καταλόγου προτύπων", @@ -231,7 +231,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Το όνομα \"{newName}\" χρησιμοποιείται ήδη στον φάκελο \"{dir}\". Παρακαλώ επιλέξτε ένα διαφορετικό όνομα.", "Could not rename \"{oldName}\"" : "Δεν ήταν δυνατή η μετονομασία του \"{oldName}\"", "This operation is forbidden" : "Αυτή η λειτουργία απαγορεύεται", - "This directory is unavailable, please check the logs or contact the administrator" : "Ο κατάλογος δεν είναι διαθέσιμος, παρακαλούμε ελέγξτε τα αρχεία καταγραφής ή επικοινωνήστε με το διαχειριστή", "Storage is temporarily not available" : "Μη διαθέσιμος χώρος αποθήκευσης προσωρινά", "_%n file_::_%n files_" : ["%n αρχείο","%n αρχεία"], "_%n folder_::_%n folders_" : ["%n φάκελος","%n φάκελοι"], @@ -280,12 +279,12 @@ "Edit locally" : "Επεξεργασία τοπικά", "Open" : "Άνοιγμα", "Could not load info for file \"{file}\"" : "Αδυναμία φόρτωσης πληροφοριών για το αρχείο \"{file}\"", - "Details" : "Λεπτομέρειες", "Please select tag(s) to add to the selection" : "Επιλέξτε ετικέτα (ες) για προσθήκη στην επιλογή", "Apply tag(s) to selection" : "Εφαρμογή ετικετών στην επιλογή", "Select directory \"{dirName}\"" : "Επιλέξτε κατάλογο \"{dirName}\"", "Select file \"{fileName}\"" : "Επιλέξτε αρχείο \"{fileName}\"", "Unable to determine date" : "Αδυναμία προσδιορισμού ημερομηνίας", + "This directory is unavailable, please check the logs or contact the administrator" : "Ο κατάλογος δεν είναι διαθέσιμος, παρακαλούμε ελέγξτε τα αρχεία καταγραφής ή επικοινωνήστε με το διαχειριστή", "Could not move \"{file}\", target exists" : "Αδυναμία μετακίνησης του \"{file}\", υπάρχει ήδη αρχείο με αυτό το όνομα", "Could not move \"{file}\"" : "Αδυναμία μετακίνησης του \"{file}\"", "copy" : "αντιγραφή", @@ -330,13 +329,20 @@ "Upload file" : "Μεταφόρτωση αρχείου", "An error occurred while trying to update the tags" : "Ένα σφάλμα προέκυψε κατά τη διάρκεια ενημέρωσης των ετικετών", "Upload (max. %s)" : "Μεταφόρτωση (max. %s)", + "\"{displayName}\" action executed successfully" : "Η ενέργεια του/της \"{displayName}\" εκτελέστηκε επιτυχώς", + "\"{displayName}\" action failed" : "Η ενέργεια του \"{displayName}\" απέτυχε", + "\"{displayName}\" batch action executed successfully" : "Η μαζική ενέργεια του/της \"{displayName}\" εκτελέστηκε επιτυχώς", "Filter filenames…" : "Φιλτράρετε τα ονόματα αρχείων...", + "WebDAV URL copied to clipboard" : "Ο σύνδεσμος WebDAV αντιγράφηκε στο πρόχειρο", "Enable the grid view" : "Ενεργοποίηση της προβολής πλέγματος", + "Copy to clipboard" : "Αντιγραφή στο πρόχειρο", "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" : "Ακυρώθηκε η λειτουργία μετακίνησης ή αντιγραφής", + "Open details" : "Άνοιγμα λεπτομερειών", + "Photos and images" : "Φωτογραφίες και εικόνες", "_{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 732ed2b048d..a325eb6bec7 100644 --- a/apps/files/l10n/en_GB.js +++ b/apps/files/l10n/en_GB.js @@ -115,9 +115,9 @@ OC.L10N.register( "Name" : "Name", "File type" : "File type", "Size" : "Size", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" failed on some elements", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" batch action executed successfully", - "\"{displayName}\" action failed" : "\"{displayName}\" action failed", + "{displayName}: failed on some elements" : "{displayName}: failed on some elements", + "{displayName}: done" : "{displayName}: done", + "{displayName}: failed" : "{displayName}: failed", "Actions" : "Actions", "(selected)" : "(selected)", "List of files and folders." : "List of files and folders.", @@ -126,11 +126,10 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list.", "File not found" : "File not found", "_{count} selected_::_{count} selected_" : ["{count} selected","{count} selected"], - "Search globally by filename …" : "Search globally by filename …", - "Search here by filename …" : "Search here by filename …", + "Search everywhere …" : "Search everywhere …", + "Search here …" : "Search here …", "Search scope options" : "Search scope options", - "Filter and search from this location" : "Filter and search from this location", - "Search globally" : "Search globally", + "Search here" : "Search here", "{usedQuotaByte} used" : "{usedQuotaByte} used", "{used} of {quota} used" : "{used} of {quota} used", "{relative}% used" : "{relative}% used", @@ -180,7 +179,6 @@ OC.L10N.register( "Error during upload: {message}" : "Error during upload: {message}", "Error during upload, status code {status}" : "Error during upload, status code {status}", "Unknown error during upload" : "Unknown error during upload", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" action executed successfully", "Loading current folder" : "Loading current folder", "Retry" : "Retry", "No files in here" : "No files in here", @@ -195,49 +193,48 @@ OC.L10N.register( "No search results for “{query}”" : "No search results for “{query}”", "Search for files" : "Search for files", "Clipboard is not available" : "Clipboard is not available", - "WebDAV URL copied to clipboard" : "WebDAV URL copied to clipboard", + "WebDAV URL copied" : "WebDAV URL copied", + "General" : "General", "Default view" : "Default view", "All files" : "All files", "Personal files" : "Personal files", "Sort favorites first" : "Sort favourites first", "Sort folders before files" : "Sort folders before files", - "Enable folder tree" : "Enable folder tree", - "Visual settings" : "Visual settings", + "Folder tree" : "Folder tree", + "Appearance" : "Appearance", "Show hidden files" : "Show hidden files", "Show file type column" : "Show file type column", + "Show file extensions" : "Show file extensions", "Crop image previews" : "Crop image previews", - "Show files extensions" : "Show files extensions", "Additional settings" : "Additional settings", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Copy to clipboard", - "Use this address to access your Files via WebDAV." : "Use this address to access your Files via WebDAV.", + "Copy" : "Copy", + "How to access files using WebDAV" : "How to access files using WebDAV", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client.", "Warnings" : "Warnings", - "Prevent warning dialogs from open or reenable them." : "Prevent warning dialogues from opening or reenable them.", - "Show a warning dialog when changing a file extension." : "Show a warning dialog when changing a file extension.", - "Show a warning dialog when deleting files." : "Show a warning dialog when deleting files.", + "Warn before changing a file extension" : "Warn before changing a file extension", + "Warn before deleting files" : "Warn before deleting files", "Keyboard shortcuts" : "Keyboard shortcuts", - "Speed up your Files experience with these quick shortcuts." : "Speed up your Files experience with these quick shortcuts.", - "Open the actions menu for a file" : "Open the actions menu for a file", - "Rename a file" : "Rename a file", - "Delete a file" : "Delete a file", - "Favorite or remove a file from favorites" : "Favourite or remove a file from favourites", - "Manage tags for a file" : "Manage tags for a file", + "File actions" : "File actions", + "Rename" : "Rename", + "Delete" : "Delete", + "Add or remove favorite" : "Add or remove favorite", + "Manage tags" : "Manage tags", "Selection" : "Selection", "Select all files" : "Select all files", - "Deselect all files" : "Deselect all files", - "Select or deselect a file" : "Select or deselect a file", - "Select a range of files" : "Select a range of files", + "Deselect all" : "Deselect all", + "Select or deselect" : "Select or deselect", + "Select a range" : "Select a range", "Navigation" : "Navigation", - "Navigate to the parent folder" : "Navigate to the parent folder", - "Navigate to the file above" : "Navigate to the file above", - "Navigate to the file below" : "Navigate to the file below", - "Navigate to the file on the left (in grid mode)" : "Navigate to the file on the left (in grid mode)", - "Navigate to the file on the right (in grid mode)" : "Navigate to the file on the right (in grid mode)", + "Go to parent folder" : "Go to parent folder", + "Go to file above" : "Go to file above", + "Go to file below" : "Go to file below", + "Go left in grid" : "Go left in grid", + "Go right in grid" : "Go right in grid", "View" : "View", - "Toggle the grid view" : "Toggle the grid view", - "Open the sidebar for a file" : "Open the sidebar for a file", + "Toggle grid view" : "Toggle grid view", + "Open file sidebar" : "Open file sidebar", "Show those shortcuts" : "Show those shortcuts", "You" : "You", "Shared multiple times with different people" : "Shared multiple times with different people", @@ -276,7 +273,6 @@ OC.L10N.register( "Delete files" : "Delete files", "Delete folder" : "Delete folder", "Delete folders" : "Delete folders", - "Delete" : "Delete", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["You are about to permanently delete {count} item","You are about to permanently delete {count} items"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["You are about to delete {count} item","You are about to delete {count} items"], "Confirm deletion" : "Confirm deletion", @@ -294,7 +290,6 @@ OC.L10N.register( "The file does not exist anymore" : "The file does not exist anymore", "Choose destination" : "Choose destination", "Copy to {target}" : "Copy to {target}", - "Copy" : "Copy", "Move to {target}" : "Move to {target}", "Move" : "Move", "Move or copy operation failed" : "Move or copy operation failed", @@ -307,8 +302,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "The file should now open on your device. If it doesn't, please check that you have the desktop app installed.", "Retry and close" : "Retry and close", "Open online" : "Open online", - "Rename" : "Rename", - "Open details" : "Open details", + "Details" : "Details", "View in folder" : "View in folder", "Today" : "Today", "Last 7 days" : "Last 7 days", @@ -321,7 +315,7 @@ OC.L10N.register( "PDFs" : "PDFs", "Folders" : "Folders", "Audio" : "Audio", - "Photos and images" : "Photos and images", + "Images" : "Images", "Videos" : "Videos", "Created new folder \"{name}\"" : "Created new folder \"{name}\"", "Unable to initialize the templates directory" : "Unable to initialize the templates directory", @@ -348,7 +342,7 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name.", "Could not rename \"{oldName}\"" : "Could not rename \"{oldName}\"", "This operation is forbidden" : "This operation is forbidden", - "This directory is unavailable, please check the logs or contact the administrator" : "This directory is unavailable, please check the logs or contact the administrator", + "This folder is unavailable, please try again later or contact the administration" : "This folder is unavailable, please try again later or contact the administration", "Storage is temporarily not available" : "Storage is temporarily not available", "Unexpected error: {error}" : "Unexpected error: {error}", "_%n file_::_%n files_" : ["%n file","%n files"], @@ -363,7 +357,6 @@ OC.L10N.register( "No favorites yet" : "No favourites yet", "Files and folders you mark as favorite will show up here" : "Files and folders you mark as favourite will show up here", "List of your files and folders." : "List of your files and folders.", - "Folder tree" : "Folder tree", "List of your files and folders that are not shared." : "List of your files and folders that are not shared.", "No personal files found" : "No personal files found", "Files that are not shared will show up here." : "Files that are not shared will show up here.", @@ -402,12 +395,12 @@ OC.L10N.register( "Edit locally" : "Edit locally", "Open" : "Open", "Could not load info for file \"{file}\"" : "Could not load info for file \"{file}\"", - "Details" : "Details", "Please select tag(s) to add to the selection" : "Please select tag(s) to add to the selection", "Apply tag(s) to selection" : "Apply tag(s) to selection", "Select directory \"{dirName}\"" : "Select directory \"{dirName}\"", "Select file \"{fileName}\"" : "Select file \"{fileName}\"", "Unable to determine date" : "Unable to determine date", + "This directory is unavailable, please check the logs or contact the administrator" : "This directory is unavailable, please check the logs or contact the administrator", "Could not move \"{file}\", target exists" : "Could not move \"{file}\", target exists", "Could not move \"{file}\"" : "Could not move \"{file}\"", "copy" : "copy", @@ -455,15 +448,24 @@ OC.L10N.register( "Not favored" : "Not favoured", "An error occurred while trying to update the tags" : "An error occurred whilst trying to update the tags", "Upload (max. %s)" : "Upload (max. %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" action executed successfully", + "\"{displayName}\" action failed" : "\"{displayName}\" action failed", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" failed on some elements", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" batch action executed successfully", "Submitting fields…" : "Submitting fields…", "Filter filenames…" : "Filter filenames…", + "WebDAV URL copied to clipboard" : "WebDAV URL copied to clipboard", "Enable the grid view" : "Enable the grid view", + "Enable folder tree" : "Enable folder tree", + "Copy to clipboard" : "Copy to clipboard", "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", + "Open details" : "Open details", + "Photos and images" : "Photos and images", "New folder creation cancelled" : "New folder creation cancelled", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} folder","{folderCount} folders"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} file","{fileCount} files"], @@ -477,6 +479,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (renamed)", "renamed file" : "renamed file", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner.", - "Filter file names …" : "Filter file names …" + "Filter file names …" : "Filter file names …", + "Prevent warning dialogs from open or reenable them." : "Prevent warning dialogues from opening or reenable them.", + "Show a warning dialog when changing a file extension." : "Show a warning dialog when changing a file extension.", + "Speed up your Files experience with these quick shortcuts." : "Speed up your Files experience with these quick shortcuts.", + "Open the actions menu for a file" : "Open the actions menu for a file", + "Rename a file" : "Rename a file", + "Delete a file" : "Delete a file", + "Favorite or remove a file from favorites" : "Favourite or remove a file from favourites", + "Manage tags for a file" : "Manage tags for a file", + "Deselect all files" : "Deselect all files", + "Select or deselect a file" : "Select or deselect a file", + "Select a range of files" : "Select a range of files", + "Navigate to the parent folder" : "Navigate to the parent folder", + "Navigate to the file above" : "Navigate to the file above", + "Navigate to the file below" : "Navigate to the file below", + "Navigate to the file on the left (in grid mode)" : "Navigate to the file on the left (in grid mode)", + "Navigate to the file on the right (in grid mode)" : "Navigate to the file on the right (in grid mode)", + "Toggle the grid view" : "Toggle the grid view", + "Open the sidebar for a file" : "Open the sidebar for a file" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/en_GB.json b/apps/files/l10n/en_GB.json index 84fe92fd742..2284ec11b26 100644 --- a/apps/files/l10n/en_GB.json +++ b/apps/files/l10n/en_GB.json @@ -113,9 +113,9 @@ "Name" : "Name", "File type" : "File type", "Size" : "Size", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" failed on some elements", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" batch action executed successfully", - "\"{displayName}\" action failed" : "\"{displayName}\" action failed", + "{displayName}: failed on some elements" : "{displayName}: failed on some elements", + "{displayName}: done" : "{displayName}: done", + "{displayName}: failed" : "{displayName}: failed", "Actions" : "Actions", "(selected)" : "(selected)", "List of files and folders." : "List of files and folders.", @@ -124,11 +124,10 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list.", "File not found" : "File not found", "_{count} selected_::_{count} selected_" : ["{count} selected","{count} selected"], - "Search globally by filename …" : "Search globally by filename …", - "Search here by filename …" : "Search here by filename …", + "Search everywhere …" : "Search everywhere …", + "Search here …" : "Search here …", "Search scope options" : "Search scope options", - "Filter and search from this location" : "Filter and search from this location", - "Search globally" : "Search globally", + "Search here" : "Search here", "{usedQuotaByte} used" : "{usedQuotaByte} used", "{used} of {quota} used" : "{used} of {quota} used", "{relative}% used" : "{relative}% used", @@ -178,7 +177,6 @@ "Error during upload: {message}" : "Error during upload: {message}", "Error during upload, status code {status}" : "Error during upload, status code {status}", "Unknown error during upload" : "Unknown error during upload", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" action executed successfully", "Loading current folder" : "Loading current folder", "Retry" : "Retry", "No files in here" : "No files in here", @@ -193,49 +191,48 @@ "No search results for “{query}”" : "No search results for “{query}”", "Search for files" : "Search for files", "Clipboard is not available" : "Clipboard is not available", - "WebDAV URL copied to clipboard" : "WebDAV URL copied to clipboard", + "WebDAV URL copied" : "WebDAV URL copied", + "General" : "General", "Default view" : "Default view", "All files" : "All files", "Personal files" : "Personal files", "Sort favorites first" : "Sort favourites first", "Sort folders before files" : "Sort folders before files", - "Enable folder tree" : "Enable folder tree", - "Visual settings" : "Visual settings", + "Folder tree" : "Folder tree", + "Appearance" : "Appearance", "Show hidden files" : "Show hidden files", "Show file type column" : "Show file type column", + "Show file extensions" : "Show file extensions", "Crop image previews" : "Crop image previews", - "Show files extensions" : "Show files extensions", "Additional settings" : "Additional settings", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Copy to clipboard", - "Use this address to access your Files via WebDAV." : "Use this address to access your Files via WebDAV.", + "Copy" : "Copy", + "How to access files using WebDAV" : "How to access files using WebDAV", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client.", "Warnings" : "Warnings", - "Prevent warning dialogs from open or reenable them." : "Prevent warning dialogues from opening or reenable them.", - "Show a warning dialog when changing a file extension." : "Show a warning dialog when changing a file extension.", - "Show a warning dialog when deleting files." : "Show a warning dialog when deleting files.", + "Warn before changing a file extension" : "Warn before changing a file extension", + "Warn before deleting files" : "Warn before deleting files", "Keyboard shortcuts" : "Keyboard shortcuts", - "Speed up your Files experience with these quick shortcuts." : "Speed up your Files experience with these quick shortcuts.", - "Open the actions menu for a file" : "Open the actions menu for a file", - "Rename a file" : "Rename a file", - "Delete a file" : "Delete a file", - "Favorite or remove a file from favorites" : "Favourite or remove a file from favourites", - "Manage tags for a file" : "Manage tags for a file", + "File actions" : "File actions", + "Rename" : "Rename", + "Delete" : "Delete", + "Add or remove favorite" : "Add or remove favorite", + "Manage tags" : "Manage tags", "Selection" : "Selection", "Select all files" : "Select all files", - "Deselect all files" : "Deselect all files", - "Select or deselect a file" : "Select or deselect a file", - "Select a range of files" : "Select a range of files", + "Deselect all" : "Deselect all", + "Select or deselect" : "Select or deselect", + "Select a range" : "Select a range", "Navigation" : "Navigation", - "Navigate to the parent folder" : "Navigate to the parent folder", - "Navigate to the file above" : "Navigate to the file above", - "Navigate to the file below" : "Navigate to the file below", - "Navigate to the file on the left (in grid mode)" : "Navigate to the file on the left (in grid mode)", - "Navigate to the file on the right (in grid mode)" : "Navigate to the file on the right (in grid mode)", + "Go to parent folder" : "Go to parent folder", + "Go to file above" : "Go to file above", + "Go to file below" : "Go to file below", + "Go left in grid" : "Go left in grid", + "Go right in grid" : "Go right in grid", "View" : "View", - "Toggle the grid view" : "Toggle the grid view", - "Open the sidebar for a file" : "Open the sidebar for a file", + "Toggle grid view" : "Toggle grid view", + "Open file sidebar" : "Open file sidebar", "Show those shortcuts" : "Show those shortcuts", "You" : "You", "Shared multiple times with different people" : "Shared multiple times with different people", @@ -274,7 +271,6 @@ "Delete files" : "Delete files", "Delete folder" : "Delete folder", "Delete folders" : "Delete folders", - "Delete" : "Delete", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["You are about to permanently delete {count} item","You are about to permanently delete {count} items"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["You are about to delete {count} item","You are about to delete {count} items"], "Confirm deletion" : "Confirm deletion", @@ -292,7 +288,6 @@ "The file does not exist anymore" : "The file does not exist anymore", "Choose destination" : "Choose destination", "Copy to {target}" : "Copy to {target}", - "Copy" : "Copy", "Move to {target}" : "Move to {target}", "Move" : "Move", "Move or copy operation failed" : "Move or copy operation failed", @@ -305,8 +300,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "The file should now open on your device. If it doesn't, please check that you have the desktop app installed.", "Retry and close" : "Retry and close", "Open online" : "Open online", - "Rename" : "Rename", - "Open details" : "Open details", + "Details" : "Details", "View in folder" : "View in folder", "Today" : "Today", "Last 7 days" : "Last 7 days", @@ -319,7 +313,7 @@ "PDFs" : "PDFs", "Folders" : "Folders", "Audio" : "Audio", - "Photos and images" : "Photos and images", + "Images" : "Images", "Videos" : "Videos", "Created new folder \"{name}\"" : "Created new folder \"{name}\"", "Unable to initialize the templates directory" : "Unable to initialize the templates directory", @@ -346,7 +340,7 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name.", "Could not rename \"{oldName}\"" : "Could not rename \"{oldName}\"", "This operation is forbidden" : "This operation is forbidden", - "This directory is unavailable, please check the logs or contact the administrator" : "This directory is unavailable, please check the logs or contact the administrator", + "This folder is unavailable, please try again later or contact the administration" : "This folder is unavailable, please try again later or contact the administration", "Storage is temporarily not available" : "Storage is temporarily not available", "Unexpected error: {error}" : "Unexpected error: {error}", "_%n file_::_%n files_" : ["%n file","%n files"], @@ -361,7 +355,6 @@ "No favorites yet" : "No favourites yet", "Files and folders you mark as favorite will show up here" : "Files and folders you mark as favourite will show up here", "List of your files and folders." : "List of your files and folders.", - "Folder tree" : "Folder tree", "List of your files and folders that are not shared." : "List of your files and folders that are not shared.", "No personal files found" : "No personal files found", "Files that are not shared will show up here." : "Files that are not shared will show up here.", @@ -400,12 +393,12 @@ "Edit locally" : "Edit locally", "Open" : "Open", "Could not load info for file \"{file}\"" : "Could not load info for file \"{file}\"", - "Details" : "Details", "Please select tag(s) to add to the selection" : "Please select tag(s) to add to the selection", "Apply tag(s) to selection" : "Apply tag(s) to selection", "Select directory \"{dirName}\"" : "Select directory \"{dirName}\"", "Select file \"{fileName}\"" : "Select file \"{fileName}\"", "Unable to determine date" : "Unable to determine date", + "This directory is unavailable, please check the logs or contact the administrator" : "This directory is unavailable, please check the logs or contact the administrator", "Could not move \"{file}\", target exists" : "Could not move \"{file}\", target exists", "Could not move \"{file}\"" : "Could not move \"{file}\"", "copy" : "copy", @@ -453,15 +446,24 @@ "Not favored" : "Not favoured", "An error occurred while trying to update the tags" : "An error occurred whilst trying to update the tags", "Upload (max. %s)" : "Upload (max. %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" action executed successfully", + "\"{displayName}\" action failed" : "\"{displayName}\" action failed", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" failed on some elements", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" batch action executed successfully", "Submitting fields…" : "Submitting fields…", "Filter filenames…" : "Filter filenames…", + "WebDAV URL copied to clipboard" : "WebDAV URL copied to clipboard", "Enable the grid view" : "Enable the grid view", + "Enable folder tree" : "Enable folder tree", + "Copy to clipboard" : "Copy to clipboard", "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", + "Open details" : "Open details", + "Photos and images" : "Photos and images", "New folder creation cancelled" : "New folder creation cancelled", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} folder","{folderCount} folders"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} file","{fileCount} files"], @@ -475,6 +477,24 @@ "%1$s (renamed)" : "%1$s (renamed)", "renamed file" : "renamed file", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner.", - "Filter file names …" : "Filter file names …" + "Filter file names …" : "Filter file names …", + "Prevent warning dialogs from open or reenable them." : "Prevent warning dialogues from opening or reenable them.", + "Show a warning dialog when changing a file extension." : "Show a warning dialog when changing a file extension.", + "Speed up your Files experience with these quick shortcuts." : "Speed up your Files experience with these quick shortcuts.", + "Open the actions menu for a file" : "Open the actions menu for a file", + "Rename a file" : "Rename a file", + "Delete a file" : "Delete a file", + "Favorite or remove a file from favorites" : "Favourite or remove a file from favourites", + "Manage tags for a file" : "Manage tags for a file", + "Deselect all files" : "Deselect all files", + "Select or deselect a file" : "Select or deselect a file", + "Select a range of files" : "Select a range of files", + "Navigate to the parent folder" : "Navigate to the parent folder", + "Navigate to the file above" : "Navigate to the file above", + "Navigate to the file below" : "Navigate to the file below", + "Navigate to the file on the left (in grid mode)" : "Navigate to the file on the left (in grid mode)", + "Navigate to the file on the right (in grid mode)" : "Navigate to the file on the right (in grid mode)", + "Toggle the grid view" : "Toggle the grid view", + "Open the sidebar for a file" : "Open the sidebar for a file" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/es.js b/apps/files/l10n/es.js index 63ecb2ed482..9601f32db31 100644 --- a/apps/files/l10n/es.js +++ b/apps/files/l10n/es.js @@ -115,9 +115,9 @@ OC.L10N.register( "Name" : "Nombre", "File type" : "Tipo de archivo", "Size" : "Tamaño", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" falló en algunos elementos", - "\"{displayName}\" batch action executed successfully" : "la acción en lotes \"{displayName}\" se ejecutó exitosamente", - "\"{displayName}\" action failed" : "la acción \"{displayName}\" falló", + "{displayName}: failed on some elements" : "{displayName}: falló en algunos elementos", + "{displayName}: done" : "{displayName}: listo", + "{displayName}: failed" : "{displayName}: falló", "Actions" : "Acciones", "(selected)" : "(seleccionado)", "List of files and folders." : "Lista de archivos y carpetas.", @@ -126,11 +126,10 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Esta lista no se muestra completamente por motivos de rendimiento. Los archivos se mostrarán a medida que navega por la lista.", "File not found" : "No se ha encontrado el archivo", "_{count} selected_::_{count} selected_" : ["{count} seleccionado","{count} seleccionados","{count} seleccionados"], - "Search globally by filename …" : "Búsqueda global por nombre de archivo …", - "Search here by filename …" : "Buscar aquí por nombre de archivo …", + "Search everywhere …" : "Buscar en todas partes …", + "Search here …" : "Buscar aquí …", "Search scope options" : "Opciones de alcance de la búsqueda", - "Filter and search from this location" : "Filtrar y buscar en esta ubicación", - "Search globally" : "Buscar globalmente", + "Search here" : "Buscar aquí", "{usedQuotaByte} used" : "{usedQuotaByte} utilizados", "{used} of {quota} used" : "{used} usados de {quota}", "{relative}% used" : "{relative}% utilizado", @@ -142,7 +141,7 @@ OC.L10N.register( "Create new folder" : "Crear carpeta nueva", "This name is already in use." : "Este nombre ya está en uso.", "Create" : "Crear", - "Files starting with a dot are hidden by default" : "Los archivos que comienzan con un punto son ocultados por defecto", + "Files starting with a dot are hidden by default" : "Los archivos que comienzan con un punto se ocultan de manera predeterminada", "Fill template fields" : "Rellenar los campos de la plantilla", "Submitting fields …" : "Enviando campos …", "Submit" : "Enviar", @@ -180,7 +179,6 @@ OC.L10N.register( "Error during upload: {message}" : "Error durante la subida: {message}", "Error during upload, status code {status}" : "Error durante la subida, código de estado {status}", "Unknown error during upload" : "Error desconocido durante la subida", - "\"{displayName}\" action executed successfully" : "la acción \"{displayName}\" se ejecutó exitosamente", "Loading current folder" : "Cargando carpeta actual", "Retry" : "Reintentar", "No files in here" : "Aquí no hay archivos", @@ -195,49 +193,48 @@ OC.L10N.register( "No search results for “{query}”" : "No hay resultados para “{query}”", "Search for files" : "Buscar archivos", "Clipboard is not available" : "El portapapeles no está disponible", - "WebDAV URL copied to clipboard" : "URL de WebDAV copiado al portapapeles", + "WebDAV URL copied" : "URL de WebDAV copiado", + "General" : "General", "Default view" : "Vista predeterminada", "All files" : "Todos los archivos", "Personal files" : "Archivos personales", "Sort favorites first" : "Ordenar los favoritos primero", "Sort folders before files" : "Ordenar carpetas antes que archivos", - "Enable folder tree" : "Habilitar el árbol de carpetas", - "Visual settings" : "Ajustes visuales", + "Folder tree" : "Árbol de carpetas", + "Appearance" : "Apariencia", "Show hidden files" : "Mostrar archivos ocultos", "Show file type column" : "Mostrar la columna de tipo de archivo", + "Show file extensions" : "Mostrar extensiones de archivos", "Crop image previews" : "Recortar la previsualización de las imágenes", - "Show files extensions" : "Mostrar extensiones de archivos", "Additional settings" : "Ajustes adicionales", "WebDAV" : "WebDAV", "WebDAV URL" : "URL de WebDAV", - "Copy to clipboard" : "Copiar al portapapeles", - "Use this address to access your Files via WebDAV." : "Usa esta dirección para acceder a tus Archivos a través de WebDAV.", - "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "La autenticación en dos pasos está habilitada para su cuenta y, por lo tanto, debe usar una contraseña de aplicación para conectarse a un cliente WebDAV externo.", + "Copy" : "Copiar", + "How to access files using WebDAV" : "Como acceder a los archivos usando WebDAV", + "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "La autenticación en dos factores está habilitada para su cuenta y, por lo tanto, debe usar una contraseña de aplicación para conectar un cliente WebDAV externo.", "Warnings" : "Advertencias", - "Prevent warning dialogs from open or reenable them." : "Evitar que se abran los diálogos de advertencia o volver a habilitarlos.", - "Show a warning dialog when changing a file extension." : "Mostrar un diálogo de advertencia cuando se cambia la extensión de un archivo.", - "Show a warning dialog when deleting files." : "Mostrar un cuadro de aviso cuando se borren archivos.", + "Warn before changing a file extension" : "Advertir antes de cambiar la extensión de un archivo.", + "Warn before deleting files" : "Advertir antes de eliminar archivos", "Keyboard shortcuts" : "Atajos de teclado", - "Speed up your Files experience with these quick shortcuts." : "Acelere su experiencia con Archivos con esos rápidos atajos de teclado.", - "Open the actions menu for a file" : "Abrir el menú de acciones para un archivo", - "Rename a file" : "Renombrar un archivo", - "Delete a file" : "Eliminar un archivo", - "Favorite or remove a file from favorites" : "Marcar o desmarcar un archivo desde los favoritos", - "Manage tags for a file" : "Gestionar etiquetas para un archivo", + "File actions" : "Acciones de archivo", + "Rename" : "Renombrar", + "Delete" : "Eliminar", + "Add or remove favorite" : "Añadir o quitar favorito", + "Manage tags" : "Gestionar etiquetas", "Selection" : "Selección", "Select all files" : "Seleccionar todos los archivos", - "Deselect all files" : "Deseleccionar todos los archivos", - "Select or deselect a file" : "Seleccionar o deseleccionar un archivo", - "Select a range of files" : "Seleccionar un rango de archivos", + "Deselect all" : "Deseleccionar todos", + "Select or deselect" : "Seleccionar o deseleccionar", + "Select a range" : "Seleccionar rango", "Navigation" : "Navegación", - "Navigate to the parent folder" : "Navegar a la carpeta superior", - "Navigate to the file above" : "Navegar al archivo anterior", - "Navigate to the file below" : "Navegar al archivo siguiente", - "Navigate to the file on the left (in grid mode)" : "Navegar al archivo de la izquierda (en modo cuadrícula)", - "Navigate to the file on the right (in grid mode)" : "Navegar al archivo de la derecha (en modo cuadrícula)", + "Go to parent folder" : "Ir a carpeta superior", + "Go to file above" : "Ir al archivo anterior", + "Go to file below" : "Ir al archivo siguiente", + "Go left in grid" : "Desplazarse a la izquierda en la cuadrícula", + "Go right in grid" : "Desplazarse a la derecha en la cuadrícula", "View" : "Vista", - "Toggle the grid view" : "Alternar vista en cuadrícula", - "Open the sidebar for a file" : "Abrir la barra lateral para un archivo", + "Toggle grid view" : "Alternar vista de cuadrícula", + "Open file sidebar" : "Abrir la barra lateral de archivo", "Show those shortcuts" : "Mostrar estos atajos", "You" : "Tú", "Shared multiple times with different people" : "Compartido múltiples veces con diferentes personas", @@ -276,7 +273,6 @@ OC.L10N.register( "Delete files" : "Eliminar archivos", "Delete folder" : "Eliminar carpeta", "Delete folders" : "Eliminar carpetas", - "Delete" : "Eliminar", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Está a punto de eliminar {count} elemento permanentemente","Está a punto de eliminar {count} elementos permanentemente.","Está a punto de eliminar {count} elementos permanentemente"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Está a punto de eliminar {count} elemento","Está a punto de eliminar {count} elementos","Está a punto de eliminar {count} elementos"], "Confirm deletion" : "Confirmar eliminación", @@ -294,7 +290,6 @@ OC.L10N.register( "The file does not exist anymore" : "El archivo ya no existe", "Choose destination" : "Elegir destino", "Copy to {target}" : "Copiar a {target}", - "Copy" : "Copiar", "Move to {target}" : "Mover a {target}", "Move" : "Mover", "Move or copy operation failed" : "La operación de mover o copiar falló", @@ -307,8 +302,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "El archivo se abrirá ahora en su dispositivo. Si esto no ocurre, por favor verifique que ha instalado la aplicación de escritorio.", "Retry and close" : "Reintentar y cerrar", "Open online" : "Abrir en línea", - "Rename" : "Renombrar", - "Open details" : "Abrir detalles", + "Details" : "Detalles", "View in folder" : "Ver en carpeta", "Today" : "Hoy", "Last 7 days" : "Últimos 7 días", @@ -321,7 +315,7 @@ OC.L10N.register( "PDFs" : "PDFs", "Folders" : "Carpetas", "Audio" : "Audio", - "Photos and images" : "Fotos e imágenes", + "Images" : "Imágenes", "Videos" : "Vídeos", "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", @@ -348,7 +342,7 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "El nombre \"{newName}\" ya está en uso en la carpeta \"{dir}\". Por favor, escoja un nombre diferente.", "Could not rename \"{oldName}\"" : "No se ha podido renombrar \"{oldName}\"", "This operation is forbidden" : "Esta operación está prohibida", - "This directory is unavailable, please check the logs or contact the administrator" : "Esta carpeta no está disponible, por favor verifique los registros o contacte con el administrador", + "This folder is unavailable, please try again later or contact the administration" : "Esta carpeta no está disponible, por favor, intente de nuevo más tarde o contacte a la administración", "Storage is temporarily not available" : "El almacenamiento no está disponible temporalmente", "Unexpected error: {error}" : "Error inesperado: {error}", "_%n file_::_%n files_" : ["%n archivo","%n archivos","%n archivos"], @@ -363,7 +357,6 @@ OC.L10N.register( "No favorites yet" : "Aún no hay favoritos", "Files and folders you mark as favorite will show up here" : "Aquí aparecerán los archivos y carpetas que has marcado como favoritos", "List of your files and folders." : "Lista de sus archivos y carpetas.", - "Folder tree" : "Árbol de carpetas", "List of your files and folders that are not shared." : "Lista de sus archivos y carpetas que no están compartidos.", "No personal files found" : "No se encontraron archivos personales", "Files that are not shared will show up here." : "Los archivos y carpetas que no ha compartido aparecerán aquí.", @@ -402,12 +395,12 @@ OC.L10N.register( "Edit locally" : "Editar localmente", "Open" : "Abrir", "Could not load info for file \"{file}\"" : "No se ha podido cargar información para el archivo \"{file}\"", - "Details" : "Detalles", "Please select tag(s) to add to the selection" : "Seleccione la(s) etiqueta(s) para añadir a la selección", "Apply tag(s) to selection" : "Aplicar etiqueta(s) a la selección", "Select directory \"{dirName}\"" : "Seleccione la carpeta \"{dirName}\"", "Select file \"{fileName}\"" : "Seleccione el archivo \"{fileName}\"", "Unable to determine date" : "No se ha podido determinar la fecha", + "This directory is unavailable, please check the logs or contact the administrator" : "Esta carpeta no está disponible, por favor verifique los registros o contacte con el administrador", "Could not move \"{file}\", target exists" : "No se ha podido mover \"{file}\", ya existe", "Could not move \"{file}\"" : "No se ha podido mover \"{file}\"", "copy" : "copiar", @@ -455,15 +448,24 @@ OC.L10N.register( "Not favored" : "No favorecido", "An error occurred while trying to update the tags" : "Se ha producido un error al tratar de actualizar las etiquetas", "Upload (max. %s)" : "Subida (máx. %s)", + "\"{displayName}\" action executed successfully" : "la acción \"{displayName}\" se ejecutó exitosamente", + "\"{displayName}\" action failed" : "la acción \"{displayName}\" falló", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" falló en algunos elementos", + "\"{displayName}\" batch action executed successfully" : "la acción en lotes \"{displayName}\" se ejecutó exitosamente", "Submitting fields…" : "Enviando campos…", "Filter filenames…" : "Filtrar nombres de archivo…", + "WebDAV URL copied to clipboard" : "URL de WebDAV copiado al portapapeles", "Enable the grid view" : "Habilitar vista de cuadrícula", + "Enable folder tree" : "Habilitar el árbol de carpetas", + "Copy to clipboard" : "Copiar al portapapeles", "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", + "Open details" : "Abrir detalles", + "Photos and images" : "Fotos e imágenes", "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"], @@ -477,6 +479,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (renombrado)", "renamed file" : "archivo renombrado", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Una vez habilitados los nombres de archivo compatibles con Windows, los archivos existentes ya no se podrán modificar, pero su propietario podrá renombrarlos a otros nombres válidos de archivo.", - "Filter file names …" : "Filtrar nombres de archivo …" + "Filter file names …" : "Filtrar nombres de archivo …", + "Prevent warning dialogs from open or reenable them." : "Evitar que se abran los diálogos de advertencia o volver a habilitarlos.", + "Show a warning dialog when changing a file extension." : "Mostrar un diálogo de advertencia cuando se cambia la extensión de un archivo.", + "Speed up your Files experience with these quick shortcuts." : "Acelere su experiencia con Archivos con esos rápidos atajos de teclado.", + "Open the actions menu for a file" : "Abrir el menú de acciones para un archivo", + "Rename a file" : "Renombrar un archivo", + "Delete a file" : "Eliminar un archivo", + "Favorite or remove a file from favorites" : "Marcar o desmarcar un archivo desde los favoritos", + "Manage tags for a file" : "Gestionar etiquetas para un archivo", + "Deselect all files" : "Deseleccionar todos los archivos", + "Select or deselect a file" : "Seleccionar o deseleccionar un archivo", + "Select a range of files" : "Seleccionar un rango de archivos", + "Navigate to the parent folder" : "Navegar a la carpeta superior", + "Navigate to the file above" : "Navegar al archivo anterior", + "Navigate to the file below" : "Navegar al archivo siguiente", + "Navigate to the file on the left (in grid mode)" : "Navegar al archivo de la izquierda (en modo cuadrícula)", + "Navigate to the file on the right (in grid mode)" : "Navegar al archivo de la derecha (en modo cuadrícula)", + "Toggle the grid view" : "Alternar vista en cuadrícula", + "Open the sidebar for a file" : "Abrir la barra lateral para un archivo" }, "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/files/l10n/es.json b/apps/files/l10n/es.json index a2a644864f8..935df9c3971 100644 --- a/apps/files/l10n/es.json +++ b/apps/files/l10n/es.json @@ -113,9 +113,9 @@ "Name" : "Nombre", "File type" : "Tipo de archivo", "Size" : "Tamaño", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" falló en algunos elementos", - "\"{displayName}\" batch action executed successfully" : "la acción en lotes \"{displayName}\" se ejecutó exitosamente", - "\"{displayName}\" action failed" : "la acción \"{displayName}\" falló", + "{displayName}: failed on some elements" : "{displayName}: falló en algunos elementos", + "{displayName}: done" : "{displayName}: listo", + "{displayName}: failed" : "{displayName}: falló", "Actions" : "Acciones", "(selected)" : "(seleccionado)", "List of files and folders." : "Lista de archivos y carpetas.", @@ -124,11 +124,10 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Esta lista no se muestra completamente por motivos de rendimiento. Los archivos se mostrarán a medida que navega por la lista.", "File not found" : "No se ha encontrado el archivo", "_{count} selected_::_{count} selected_" : ["{count} seleccionado","{count} seleccionados","{count} seleccionados"], - "Search globally by filename …" : "Búsqueda global por nombre de archivo …", - "Search here by filename …" : "Buscar aquí por nombre de archivo …", + "Search everywhere …" : "Buscar en todas partes …", + "Search here …" : "Buscar aquí …", "Search scope options" : "Opciones de alcance de la búsqueda", - "Filter and search from this location" : "Filtrar y buscar en esta ubicación", - "Search globally" : "Buscar globalmente", + "Search here" : "Buscar aquí", "{usedQuotaByte} used" : "{usedQuotaByte} utilizados", "{used} of {quota} used" : "{used} usados de {quota}", "{relative}% used" : "{relative}% utilizado", @@ -140,7 +139,7 @@ "Create new folder" : "Crear carpeta nueva", "This name is already in use." : "Este nombre ya está en uso.", "Create" : "Crear", - "Files starting with a dot are hidden by default" : "Los archivos que comienzan con un punto son ocultados por defecto", + "Files starting with a dot are hidden by default" : "Los archivos que comienzan con un punto se ocultan de manera predeterminada", "Fill template fields" : "Rellenar los campos de la plantilla", "Submitting fields …" : "Enviando campos …", "Submit" : "Enviar", @@ -178,7 +177,6 @@ "Error during upload: {message}" : "Error durante la subida: {message}", "Error during upload, status code {status}" : "Error durante la subida, código de estado {status}", "Unknown error during upload" : "Error desconocido durante la subida", - "\"{displayName}\" action executed successfully" : "la acción \"{displayName}\" se ejecutó exitosamente", "Loading current folder" : "Cargando carpeta actual", "Retry" : "Reintentar", "No files in here" : "Aquí no hay archivos", @@ -193,49 +191,48 @@ "No search results for “{query}”" : "No hay resultados para “{query}”", "Search for files" : "Buscar archivos", "Clipboard is not available" : "El portapapeles no está disponible", - "WebDAV URL copied to clipboard" : "URL de WebDAV copiado al portapapeles", + "WebDAV URL copied" : "URL de WebDAV copiado", + "General" : "General", "Default view" : "Vista predeterminada", "All files" : "Todos los archivos", "Personal files" : "Archivos personales", "Sort favorites first" : "Ordenar los favoritos primero", "Sort folders before files" : "Ordenar carpetas antes que archivos", - "Enable folder tree" : "Habilitar el árbol de carpetas", - "Visual settings" : "Ajustes visuales", + "Folder tree" : "Árbol de carpetas", + "Appearance" : "Apariencia", "Show hidden files" : "Mostrar archivos ocultos", "Show file type column" : "Mostrar la columna de tipo de archivo", + "Show file extensions" : "Mostrar extensiones de archivos", "Crop image previews" : "Recortar la previsualización de las imágenes", - "Show files extensions" : "Mostrar extensiones de archivos", "Additional settings" : "Ajustes adicionales", "WebDAV" : "WebDAV", "WebDAV URL" : "URL de WebDAV", - "Copy to clipboard" : "Copiar al portapapeles", - "Use this address to access your Files via WebDAV." : "Usa esta dirección para acceder a tus Archivos a través de WebDAV.", - "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "La autenticación en dos pasos está habilitada para su cuenta y, por lo tanto, debe usar una contraseña de aplicación para conectarse a un cliente WebDAV externo.", + "Copy" : "Copiar", + "How to access files using WebDAV" : "Como acceder a los archivos usando WebDAV", + "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "La autenticación en dos factores está habilitada para su cuenta y, por lo tanto, debe usar una contraseña de aplicación para conectar un cliente WebDAV externo.", "Warnings" : "Advertencias", - "Prevent warning dialogs from open or reenable them." : "Evitar que se abran los diálogos de advertencia o volver a habilitarlos.", - "Show a warning dialog when changing a file extension." : "Mostrar un diálogo de advertencia cuando se cambia la extensión de un archivo.", - "Show a warning dialog when deleting files." : "Mostrar un cuadro de aviso cuando se borren archivos.", + "Warn before changing a file extension" : "Advertir antes de cambiar la extensión de un archivo.", + "Warn before deleting files" : "Advertir antes de eliminar archivos", "Keyboard shortcuts" : "Atajos de teclado", - "Speed up your Files experience with these quick shortcuts." : "Acelere su experiencia con Archivos con esos rápidos atajos de teclado.", - "Open the actions menu for a file" : "Abrir el menú de acciones para un archivo", - "Rename a file" : "Renombrar un archivo", - "Delete a file" : "Eliminar un archivo", - "Favorite or remove a file from favorites" : "Marcar o desmarcar un archivo desde los favoritos", - "Manage tags for a file" : "Gestionar etiquetas para un archivo", + "File actions" : "Acciones de archivo", + "Rename" : "Renombrar", + "Delete" : "Eliminar", + "Add or remove favorite" : "Añadir o quitar favorito", + "Manage tags" : "Gestionar etiquetas", "Selection" : "Selección", "Select all files" : "Seleccionar todos los archivos", - "Deselect all files" : "Deseleccionar todos los archivos", - "Select or deselect a file" : "Seleccionar o deseleccionar un archivo", - "Select a range of files" : "Seleccionar un rango de archivos", + "Deselect all" : "Deseleccionar todos", + "Select or deselect" : "Seleccionar o deseleccionar", + "Select a range" : "Seleccionar rango", "Navigation" : "Navegación", - "Navigate to the parent folder" : "Navegar a la carpeta superior", - "Navigate to the file above" : "Navegar al archivo anterior", - "Navigate to the file below" : "Navegar al archivo siguiente", - "Navigate to the file on the left (in grid mode)" : "Navegar al archivo de la izquierda (en modo cuadrícula)", - "Navigate to the file on the right (in grid mode)" : "Navegar al archivo de la derecha (en modo cuadrícula)", + "Go to parent folder" : "Ir a carpeta superior", + "Go to file above" : "Ir al archivo anterior", + "Go to file below" : "Ir al archivo siguiente", + "Go left in grid" : "Desplazarse a la izquierda en la cuadrícula", + "Go right in grid" : "Desplazarse a la derecha en la cuadrícula", "View" : "Vista", - "Toggle the grid view" : "Alternar vista en cuadrícula", - "Open the sidebar for a file" : "Abrir la barra lateral para un archivo", + "Toggle grid view" : "Alternar vista de cuadrícula", + "Open file sidebar" : "Abrir la barra lateral de archivo", "Show those shortcuts" : "Mostrar estos atajos", "You" : "Tú", "Shared multiple times with different people" : "Compartido múltiples veces con diferentes personas", @@ -274,7 +271,6 @@ "Delete files" : "Eliminar archivos", "Delete folder" : "Eliminar carpeta", "Delete folders" : "Eliminar carpetas", - "Delete" : "Eliminar", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Está a punto de eliminar {count} elemento permanentemente","Está a punto de eliminar {count} elementos permanentemente.","Está a punto de eliminar {count} elementos permanentemente"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Está a punto de eliminar {count} elemento","Está a punto de eliminar {count} elementos","Está a punto de eliminar {count} elementos"], "Confirm deletion" : "Confirmar eliminación", @@ -292,7 +288,6 @@ "The file does not exist anymore" : "El archivo ya no existe", "Choose destination" : "Elegir destino", "Copy to {target}" : "Copiar a {target}", - "Copy" : "Copiar", "Move to {target}" : "Mover a {target}", "Move" : "Mover", "Move or copy operation failed" : "La operación de mover o copiar falló", @@ -305,8 +300,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "El archivo se abrirá ahora en su dispositivo. Si esto no ocurre, por favor verifique que ha instalado la aplicación de escritorio.", "Retry and close" : "Reintentar y cerrar", "Open online" : "Abrir en línea", - "Rename" : "Renombrar", - "Open details" : "Abrir detalles", + "Details" : "Detalles", "View in folder" : "Ver en carpeta", "Today" : "Hoy", "Last 7 days" : "Últimos 7 días", @@ -319,7 +313,7 @@ "PDFs" : "PDFs", "Folders" : "Carpetas", "Audio" : "Audio", - "Photos and images" : "Fotos e imágenes", + "Images" : "Imágenes", "Videos" : "Vídeos", "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", @@ -346,7 +340,7 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "El nombre \"{newName}\" ya está en uso en la carpeta \"{dir}\". Por favor, escoja un nombre diferente.", "Could not rename \"{oldName}\"" : "No se ha podido renombrar \"{oldName}\"", "This operation is forbidden" : "Esta operación está prohibida", - "This directory is unavailable, please check the logs or contact the administrator" : "Esta carpeta no está disponible, por favor verifique los registros o contacte con el administrador", + "This folder is unavailable, please try again later or contact the administration" : "Esta carpeta no está disponible, por favor, intente de nuevo más tarde o contacte a la administración", "Storage is temporarily not available" : "El almacenamiento no está disponible temporalmente", "Unexpected error: {error}" : "Error inesperado: {error}", "_%n file_::_%n files_" : ["%n archivo","%n archivos","%n archivos"], @@ -361,7 +355,6 @@ "No favorites yet" : "Aún no hay favoritos", "Files and folders you mark as favorite will show up here" : "Aquí aparecerán los archivos y carpetas que has marcado como favoritos", "List of your files and folders." : "Lista de sus archivos y carpetas.", - "Folder tree" : "Árbol de carpetas", "List of your files and folders that are not shared." : "Lista de sus archivos y carpetas que no están compartidos.", "No personal files found" : "No se encontraron archivos personales", "Files that are not shared will show up here." : "Los archivos y carpetas que no ha compartido aparecerán aquí.", @@ -400,12 +393,12 @@ "Edit locally" : "Editar localmente", "Open" : "Abrir", "Could not load info for file \"{file}\"" : "No se ha podido cargar información para el archivo \"{file}\"", - "Details" : "Detalles", "Please select tag(s) to add to the selection" : "Seleccione la(s) etiqueta(s) para añadir a la selección", "Apply tag(s) to selection" : "Aplicar etiqueta(s) a la selección", "Select directory \"{dirName}\"" : "Seleccione la carpeta \"{dirName}\"", "Select file \"{fileName}\"" : "Seleccione el archivo \"{fileName}\"", "Unable to determine date" : "No se ha podido determinar la fecha", + "This directory is unavailable, please check the logs or contact the administrator" : "Esta carpeta no está disponible, por favor verifique los registros o contacte con el administrador", "Could not move \"{file}\", target exists" : "No se ha podido mover \"{file}\", ya existe", "Could not move \"{file}\"" : "No se ha podido mover \"{file}\"", "copy" : "copiar", @@ -453,15 +446,24 @@ "Not favored" : "No favorecido", "An error occurred while trying to update the tags" : "Se ha producido un error al tratar de actualizar las etiquetas", "Upload (max. %s)" : "Subida (máx. %s)", + "\"{displayName}\" action executed successfully" : "la acción \"{displayName}\" se ejecutó exitosamente", + "\"{displayName}\" action failed" : "la acción \"{displayName}\" falló", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" falló en algunos elementos", + "\"{displayName}\" batch action executed successfully" : "la acción en lotes \"{displayName}\" se ejecutó exitosamente", "Submitting fields…" : "Enviando campos…", "Filter filenames…" : "Filtrar nombres de archivo…", + "WebDAV URL copied to clipboard" : "URL de WebDAV copiado al portapapeles", "Enable the grid view" : "Habilitar vista de cuadrícula", + "Enable folder tree" : "Habilitar el árbol de carpetas", + "Copy to clipboard" : "Copiar al portapapeles", "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", + "Open details" : "Abrir detalles", + "Photos and images" : "Fotos e imágenes", "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"], @@ -475,6 +477,24 @@ "%1$s (renamed)" : "%1$s (renombrado)", "renamed file" : "archivo renombrado", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Una vez habilitados los nombres de archivo compatibles con Windows, los archivos existentes ya no se podrán modificar, pero su propietario podrá renombrarlos a otros nombres válidos de archivo.", - "Filter file names …" : "Filtrar nombres de archivo …" + "Filter file names …" : "Filtrar nombres de archivo …", + "Prevent warning dialogs from open or reenable them." : "Evitar que se abran los diálogos de advertencia o volver a habilitarlos.", + "Show a warning dialog when changing a file extension." : "Mostrar un diálogo de advertencia cuando se cambia la extensión de un archivo.", + "Speed up your Files experience with these quick shortcuts." : "Acelere su experiencia con Archivos con esos rápidos atajos de teclado.", + "Open the actions menu for a file" : "Abrir el menú de acciones para un archivo", + "Rename a file" : "Renombrar un archivo", + "Delete a file" : "Eliminar un archivo", + "Favorite or remove a file from favorites" : "Marcar o desmarcar un archivo desde los favoritos", + "Manage tags for a file" : "Gestionar etiquetas para un archivo", + "Deselect all files" : "Deseleccionar todos los archivos", + "Select or deselect a file" : "Seleccionar o deseleccionar un archivo", + "Select a range of files" : "Seleccionar un rango de archivos", + "Navigate to the parent folder" : "Navegar a la carpeta superior", + "Navigate to the file above" : "Navegar al archivo anterior", + "Navigate to the file below" : "Navegar al archivo siguiente", + "Navigate to the file on the left (in grid mode)" : "Navegar al archivo de la izquierda (en modo cuadrícula)", + "Navigate to the file on the right (in grid mode)" : "Navegar al archivo de la derecha (en modo cuadrícula)", + "Toggle the grid view" : "Alternar vista en cuadrícula", + "Open the sidebar for a file" : "Abrir la barra lateral para un archivo" },"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/l10n/es_EC.js b/apps/files/l10n/es_EC.js index 4308a1c4b61..94461e473a7 100644 --- a/apps/files/l10n/es_EC.js +++ b/apps/files/l10n/es_EC.js @@ -74,12 +74,9 @@ OC.L10N.register( "Total rows summary" : "Resumen total de filas.", "Name" : "Nombre", "Size" : "Tamaño", - "\"{displayName}\" batch action executed successfully" : "La acción en lote \"{displayName}\" se ejecutó correctamente.", - "\"{displayName}\" action failed" : "La acción \"{displayName}\" falló.", "Actions" : "Acciones", "List of files and folders." : "Lista de archivos y carpetas. ", "_{count} selected_::_{count} selected_" : ["{count} seleccionado","{count} seleccionados","{count} seleccionado"], - "Search globally" : "Buscar globalmente", "{usedQuotaByte} used" : "{usedQuotaByte} usados.", "{used} of {quota} used" : "{used} de {quota} usados", "{relative}% used" : "{relative}% usados.", @@ -106,7 +103,6 @@ OC.L10N.register( "Switch to list view" : "Cambiar a vista de lista", "Not enough free space" : "No cuentas con suficiente espacio libre", "Operation is blocked by access control" : "La operación está bloqueada por el control de acceso.", - "\"{displayName}\" action executed successfully" : "La acción \"{displayName}\" se ejecutó correctamente.", "Loading current folder" : "Cargando directorio actual.", "Retry" : "Reintentar", "No files in here" : "No hay archivos aquí", @@ -117,18 +113,25 @@ OC.L10N.register( "Open in files" : "Abrir en archivos", "File cannot be accessed" : "No se puede acceder al archivo.", "Clipboard is not available" : "El portapapeles no está disponible", - "WebDAV URL copied to clipboard" : "URL de WebDAV copiada al portapapeles.", + "General" : "General", "All files" : "Todos los archivos", "Sort favorites first" : "Ordenar primero los favoritos.", + "Appearance" : "Apariencia", "Show hidden files" : "Mostrar archivos ocultos", "Crop image previews" : "Recortar vistas previas de imágenes.", "Additional settings" : "Configuraciones adicionales", "WebDAV" : "WebDAV", - "Copy to clipboard" : "Copiar al portapapeles", + "Copy" : "Copiar", "Keyboard shortcuts" : "Atajos del teclado", + "File actions" : "Acciones de archivo", + "Rename" : "Renombrar", + "Delete" : "Borrar", + "Manage tags" : "Gestionar etiquetas", "Selection" : "Selección", + "Deselect all" : "Deseleccionar todo", "Navigation" : "Navegación", "View" : "Ver", + "Toggle grid view" : "Alternar vista en cuadrícula.", "Error while loading the file data" : "Error al cargar los datos del archivo.", "Owner" : "Dueño", "Remove from favorites" : "Eliminar de favoritos", @@ -144,22 +147,20 @@ OC.L10N.register( "Delete permanently" : "Borrar permanentemente", "Delete file" : "Eliminar archivo", "Delete files" : "Eliminar archivos", - "Delete" : "Borrar", "Cancel" : "Cancelar", "Download" : "Descargar", - "Copy" : "Copiar", "Move" : "Mover", "Move or copy" : "Mover o copiar", "Open folder {displayName}" : "Abrir carpeta {displayName}.", "Open locally" : "Abrir localmente", "Failed to redirect to client" : "No se pudo redirigir al cliente.", "Open file locally" : "Abrir archivo localmente", - "Rename" : "Renombrar", - "Open details" : "Abrir detalles.", + "Details" : "Detalles", "View in folder" : "Ver en la carpeta", "Today" : "Hoy", "Documents" : "Documentos", "Audio" : "Audio", + "Images" : "Imágenes", "Videos" : "Videos", "Unable to initialize the templates directory" : "No se pudo inicializar el directorio de plantillas.", "Templates" : "Plantillas", @@ -168,7 +169,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "El nombre \"{newName}\" ya está en uso en la carpeta \"{dir}\". Por favor elege un nombre diferete. ", "Could not rename \"{oldName}\"" : "No se pudo cambiar el nombre de \"{oldName}\".", "This operation is forbidden" : "Esta operación está prohibida", - "This directory is unavailable, please check the logs or contact the administrator" : "Esta carpeta no está disponible, por favor verfica las bitácoras o contacta al administrador", "Storage is temporarily not available" : "El almacenamiento no está disponible temporalmente ", "_%n file_::_%n files_" : ["%n archivo","%n archivos","%n archivos"], "_%n folder_::_%n folders_" : ["%n carpeta","%n carpetas","%n carpetas"], @@ -202,12 +202,12 @@ OC.L10N.register( "Edit locally" : "Editar localmente.", "Open" : "Abrir", "Could not load info for file \"{file}\"" : "No fue posible cargar información para el archivo \"{file}\"", - "Details" : "Detalles", "Please select tag(s) to add to the selection" : "Selecciona la(s) etiqueta(s) para agregar a la selección.", "Apply tag(s) to selection" : "Aplicar etiqueta(s) a la selección.", "Select directory \"{dirName}\"" : "Selecciona el directorio \"{dirName}\".", "Select file \"{fileName}\"" : "Selecciona el archivo \"{fileName}\".", "Unable to determine date" : "No fue posible determinar la fecha", + "This directory is unavailable, please check the logs or contact the administrator" : "Esta carpeta no está disponible, por favor verfica las bitácoras o contacta al administrador", "Could not move \"{file}\", target exists" : "No fue posible mover \"{file}\", el destino ya existe", "Could not move \"{file}\"" : "No fue posible mover \"{file}\"", "copy" : "copia", @@ -250,8 +250,14 @@ OC.L10N.register( "Upload file" : "Cargar archivo", "An error occurred while trying to update the tags" : "Se presentó un error al intentar actualizar la etiqueta", "Upload (max. %s)" : "Cargar (max. %s)", + "\"{displayName}\" action executed successfully" : "La acción \"{displayName}\" se ejecutó correctamente.", + "\"{displayName}\" action failed" : "La acción \"{displayName}\" falló.", + "\"{displayName}\" batch action executed successfully" : "La acción en lote \"{displayName}\" se ejecutó correctamente.", + "WebDAV URL copied to clipboard" : "URL de WebDAV copiada al portapapeles.", + "Copy to clipboard" : "Copiar al portapapeles", "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder a tus archivos a través de WebDAV.", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Si has habilitado la autenticación de dos factores (2FA), debes crear y usar una nueva contraseña de aplicación haciendo clic aquí.", + "Open details" : "Abrir detalles.", "Text file" : "Archivo de texto", "New text file.txt" : "Nuevo ArchivoDeTexto.txt" }, diff --git a/apps/files/l10n/es_EC.json b/apps/files/l10n/es_EC.json index ef081f469df..732fffc3f01 100644 --- a/apps/files/l10n/es_EC.json +++ b/apps/files/l10n/es_EC.json @@ -72,12 +72,9 @@ "Total rows summary" : "Resumen total de filas.", "Name" : "Nombre", "Size" : "Tamaño", - "\"{displayName}\" batch action executed successfully" : "La acción en lote \"{displayName}\" se ejecutó correctamente.", - "\"{displayName}\" action failed" : "La acción \"{displayName}\" falló.", "Actions" : "Acciones", "List of files and folders." : "Lista de archivos y carpetas. ", "_{count} selected_::_{count} selected_" : ["{count} seleccionado","{count} seleccionados","{count} seleccionado"], - "Search globally" : "Buscar globalmente", "{usedQuotaByte} used" : "{usedQuotaByte} usados.", "{used} of {quota} used" : "{used} de {quota} usados", "{relative}% used" : "{relative}% usados.", @@ -104,7 +101,6 @@ "Switch to list view" : "Cambiar a vista de lista", "Not enough free space" : "No cuentas con suficiente espacio libre", "Operation is blocked by access control" : "La operación está bloqueada por el control de acceso.", - "\"{displayName}\" action executed successfully" : "La acción \"{displayName}\" se ejecutó correctamente.", "Loading current folder" : "Cargando directorio actual.", "Retry" : "Reintentar", "No files in here" : "No hay archivos aquí", @@ -115,18 +111,25 @@ "Open in files" : "Abrir en archivos", "File cannot be accessed" : "No se puede acceder al archivo.", "Clipboard is not available" : "El portapapeles no está disponible", - "WebDAV URL copied to clipboard" : "URL de WebDAV copiada al portapapeles.", + "General" : "General", "All files" : "Todos los archivos", "Sort favorites first" : "Ordenar primero los favoritos.", + "Appearance" : "Apariencia", "Show hidden files" : "Mostrar archivos ocultos", "Crop image previews" : "Recortar vistas previas de imágenes.", "Additional settings" : "Configuraciones adicionales", "WebDAV" : "WebDAV", - "Copy to clipboard" : "Copiar al portapapeles", + "Copy" : "Copiar", "Keyboard shortcuts" : "Atajos del teclado", + "File actions" : "Acciones de archivo", + "Rename" : "Renombrar", + "Delete" : "Borrar", + "Manage tags" : "Gestionar etiquetas", "Selection" : "Selección", + "Deselect all" : "Deseleccionar todo", "Navigation" : "Navegación", "View" : "Ver", + "Toggle grid view" : "Alternar vista en cuadrícula.", "Error while loading the file data" : "Error al cargar los datos del archivo.", "Owner" : "Dueño", "Remove from favorites" : "Eliminar de favoritos", @@ -142,22 +145,20 @@ "Delete permanently" : "Borrar permanentemente", "Delete file" : "Eliminar archivo", "Delete files" : "Eliminar archivos", - "Delete" : "Borrar", "Cancel" : "Cancelar", "Download" : "Descargar", - "Copy" : "Copiar", "Move" : "Mover", "Move or copy" : "Mover o copiar", "Open folder {displayName}" : "Abrir carpeta {displayName}.", "Open locally" : "Abrir localmente", "Failed to redirect to client" : "No se pudo redirigir al cliente.", "Open file locally" : "Abrir archivo localmente", - "Rename" : "Renombrar", - "Open details" : "Abrir detalles.", + "Details" : "Detalles", "View in folder" : "Ver en la carpeta", "Today" : "Hoy", "Documents" : "Documentos", "Audio" : "Audio", + "Images" : "Imágenes", "Videos" : "Videos", "Unable to initialize the templates directory" : "No se pudo inicializar el directorio de plantillas.", "Templates" : "Plantillas", @@ -166,7 +167,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "El nombre \"{newName}\" ya está en uso en la carpeta \"{dir}\". Por favor elege un nombre diferete. ", "Could not rename \"{oldName}\"" : "No se pudo cambiar el nombre de \"{oldName}\".", "This operation is forbidden" : "Esta operación está prohibida", - "This directory is unavailable, please check the logs or contact the administrator" : "Esta carpeta no está disponible, por favor verfica las bitácoras o contacta al administrador", "Storage is temporarily not available" : "El almacenamiento no está disponible temporalmente ", "_%n file_::_%n files_" : ["%n archivo","%n archivos","%n archivos"], "_%n folder_::_%n folders_" : ["%n carpeta","%n carpetas","%n carpetas"], @@ -200,12 +200,12 @@ "Edit locally" : "Editar localmente.", "Open" : "Abrir", "Could not load info for file \"{file}\"" : "No fue posible cargar información para el archivo \"{file}\"", - "Details" : "Detalles", "Please select tag(s) to add to the selection" : "Selecciona la(s) etiqueta(s) para agregar a la selección.", "Apply tag(s) to selection" : "Aplicar etiqueta(s) a la selección.", "Select directory \"{dirName}\"" : "Selecciona el directorio \"{dirName}\".", "Select file \"{fileName}\"" : "Selecciona el archivo \"{fileName}\".", "Unable to determine date" : "No fue posible determinar la fecha", + "This directory is unavailable, please check the logs or contact the administrator" : "Esta carpeta no está disponible, por favor verfica las bitácoras o contacta al administrador", "Could not move \"{file}\", target exists" : "No fue posible mover \"{file}\", el destino ya existe", "Could not move \"{file}\"" : "No fue posible mover \"{file}\"", "copy" : "copia", @@ -248,8 +248,14 @@ "Upload file" : "Cargar archivo", "An error occurred while trying to update the tags" : "Se presentó un error al intentar actualizar la etiqueta", "Upload (max. %s)" : "Cargar (max. %s)", + "\"{displayName}\" action executed successfully" : "La acción \"{displayName}\" se ejecutó correctamente.", + "\"{displayName}\" action failed" : "La acción \"{displayName}\" falló.", + "\"{displayName}\" batch action executed successfully" : "La acción en lote \"{displayName}\" se ejecutó correctamente.", + "WebDAV URL copied to clipboard" : "URL de WebDAV copiada al portapapeles.", + "Copy to clipboard" : "Copiar al portapapeles", "Use this address to access your Files via WebDAV" : "Usa esta dirección para acceder a tus archivos a través de WebDAV.", "If you have enabled 2FA, you must create and use a new app password by clicking here." : "Si has habilitado la autenticación de dos factores (2FA), debes crear y usar una nueva contraseña de aplicación haciendo clic aquí.", + "Open details" : "Abrir detalles.", "Text file" : "Archivo de texto", "New text file.txt" : "Nuevo ArchivoDeTexto.txt" },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" diff --git a/apps/files/l10n/es_MX.js b/apps/files/l10n/es_MX.js index c7548715b13..4eb580d2ae1 100644 --- a/apps/files/l10n/es_MX.js +++ b/apps/files/l10n/es_MX.js @@ -99,15 +99,12 @@ OC.L10N.register( "Toggle selection for all files and folders" : "Alternar selección para todos los archivos y carpetas", "Name" : "Nombre", "Size" : "Tamaño", - "\"{displayName}\" batch action executed successfully" : "La acción en lote \"{displayName}\" se ejecutó exitosamente", - "\"{displayName}\" action failed" : "La acción \"{displayName}\" falló", "Actions" : "Acciones", "(selected)" : "(seleccionado)", "List of files and folders." : "Lista de archivos y carpetas.", "Column headers with buttons are sortable." : "Las columnas con botones en la cabecera son ordenables.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Esta lista no se muestra completamente por motivos de rendimiento. Los archivos se mostrarán a medida que navega por la lista.", "File not found" : "Archivo no encontrado", - "Search globally" : "Búsqueda global", "{usedQuotaByte} used" : "{usedQuotaByte} utilizados", "{used} of {quota} used" : "{used} de {quota} usados", "{relative}% used" : "{relative}% utilizado", @@ -150,7 +147,6 @@ OC.L10N.register( "Error during upload: {message}" : "Error durante la subida: {message}", "Error during upload, status code {status}" : "Error durante la carga, código de estado {status}", "Unknown error during upload" : "Error desconocido durante la carga", - "\"{displayName}\" action executed successfully" : "La acción \"{displayName}\" se ejecutó correctamente", "Loading current folder" : "Cargando la carpeta actual", "Retry" : "Reintentar", "No files in here" : "No hay archivos aquí", @@ -163,22 +159,27 @@ OC.L10N.register( "File cannot be accessed" : "No se puede acceder al archivo", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "El archivo no fue encontrado o no tiene permisos para verlo. Solicite al remitente que lo comparta.", "Clipboard is not available" : "El portapapeles no está disponible", - "WebDAV URL copied to clipboard" : "WebDAV URL copiada al portapapeles", + "General" : "General", "All files" : "Todos los archivos", "Personal files" : "Archivos personales", "Sort favorites first" : "Ordenar los favoritos primero", "Sort folders before files" : "Ordenar carpetas antes que archivos", - "Enable folder tree" : "Habilitar el árbol de carpetas", + "Appearance" : "Apariencia", "Show hidden files" : "Mostrar archivos ocultos", "Crop image previews" : "Recortar la previsualización de las imágenes", "Additional settings" : "Configuraciones adicionales", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Copiar al portapapeles", + "Copy" : "Copiar", "Keyboard shortcuts" : "Atajos del teclado", + "Rename" : "Renombrar", + "Delete" : "Borrar", + "Manage tags" : "Administrar etiquetas", "Selection" : "Selección", + "Deselect all" : "Deseleccionar todo", "Navigation" : "Navegación", "View" : "Ver", + "Toggle grid view" : "Vista de cuadrícula", "You" : "Usted", "Shared multiple times with different people" : "Compartido múltiples veces con diferentes personas", "Error while loading the file data" : "Error al cargar los datos del archivo", @@ -201,7 +202,6 @@ OC.L10N.register( "Delete files" : "Eliminar archivos", "Delete folder" : "Eliminar carpeta", "Delete folders" : "Eliminar carpetas", - "Delete" : "Borrar", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Está a punto de eliminar {count} elemento permanentemente.","Está a punto de eliminar {count} elementos permanentemente.","Está a punto de eliminar {count} elementos permanentemente."], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Está a punto de eliminar {count} elemento.","Está a punto de eliminar {count} elementos.","Está a punto de eliminar {count} elementos."], "Confirm deletion" : "Confirmar eliminación", @@ -219,7 +219,6 @@ OC.L10N.register( "The file does not exist anymore" : "El archivo ya no existe", "Choose destination" : "Elegir destino", "Copy to {target}" : "Copiar a {target}", - "Copy" : "Copiar", "Move to {target}" : "Mover a {target}", "Move" : "Mover", "Move or copy operation failed" : "La operación de mover o copiar falló", @@ -229,8 +228,7 @@ OC.L10N.register( "Failed to redirect to client" : "Fallo al redirigir al cliente", "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "El archivo se abrirá ahora en tu dispositivo. Si esto no ocurre, por favor verifica que hayas instalado la aplicación de escritorio.", "Retry and close" : "Reintentar y cerrar", - "Rename" : "Renombrar", - "Open details" : "Abrir detalles", + "Details" : "Detalles", "View in folder" : "Ver en la carpeta", "Today" : "Hoy", "Last 7 days" : "Últimos 7 días", @@ -243,7 +241,7 @@ OC.L10N.register( "PDFs" : "PDFs", "Folders" : "Carpetas", "Audio" : "Audio", - "Photos and images" : "Fotos e imágenes", + "Images" : "Imágenes", "Videos" : "Videos", "Created new folder \"{name}\"" : "Nueva carpeta \"{name}\" creada", "Unable to initialize the templates directory" : "No se ha podido iniciar la carpeta de plantillas", @@ -269,7 +267,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "El nombre \"{newName}\" ya está en uso en la carpeta \"{dir}\". Por favor, elija un nombre diferente.", "Could not rename \"{oldName}\"" : "No se pudo renombrar \"{oldName}\"", "This operation is forbidden" : "Esta operación está prohibida", - "This directory is unavailable, please check the logs or contact the administrator" : "Esta carpeta no está disponible, por favor verfica las bitácoras o contacta al administrador", "Storage is temporarily not available" : "El almacenamiento no está disponible temporalmente ", "Unexpected error: {error}" : "Error inesperado: {error}", "_%n file_::_%n files_" : ["%n archivo","%n archivos","%n archivos"], @@ -320,12 +317,12 @@ OC.L10N.register( "Edit locally" : "Editar localmente", "Open" : "Abrir", "Could not load info for file \"{file}\"" : "No fue posible cargar información para el archivo \"{file}\"", - "Details" : "Detalles", "Please select tag(s) to add to the selection" : "Seleccione la(s) etiqueta(s) para añadir a la selección", "Apply tag(s) to selection" : "Aplicar etiqueta(s) a selección", "Select directory \"{dirName}\"" : "Seleccione carpeta \"{dirName}\"", "Select file \"{fileName}\"" : "Seleccione archivo \"{fileName}\"", "Unable to determine date" : "No fue posible determinar la fecha", + "This directory is unavailable, please check the logs or contact the administrator" : "Esta carpeta no está disponible, por favor verfica las bitácoras o contacta al administrador", "Could not move \"{file}\", target exists" : "No fue posible mover \"{file}\", el destino ya existe", "Could not move \"{file}\"" : "No fue posible mover \"{file}\"", "copy" : "copiar", @@ -373,15 +370,23 @@ OC.L10N.register( "Not favored" : "No favorecido", "An error occurred while trying to update the tags" : "Se presentó un error al intentar actualizar la etiqueta", "Upload (max. %s)" : "Cargar (max. %s)", + "\"{displayName}\" action executed successfully" : "La acción \"{displayName}\" se ejecutó correctamente", + "\"{displayName}\" action failed" : "La acción \"{displayName}\" falló", + "\"{displayName}\" batch action executed successfully" : "La acción en lote \"{displayName}\" se ejecutó exitosamente", "Submitting fields…" : "Enviando campos...", "Filter filenames…" : "Filtrar nombres de archivos...", + "WebDAV URL copied to clipboard" : "WebDAV URL copiada al portapapeles", "Enable the grid view" : "Habilitar la vista de cuadrícula", + "Enable folder tree" : "Habilitar el árbol de carpetas", + "Copy to clipboard" : "Copiar al portapapeles", "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", + "Open details" : "Abrir detalles", + "Photos and images" : "Fotos e imágenes", "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"], diff --git a/apps/files/l10n/es_MX.json b/apps/files/l10n/es_MX.json index 7a530d9d2b9..013dcdec49f 100644 --- a/apps/files/l10n/es_MX.json +++ b/apps/files/l10n/es_MX.json @@ -97,15 +97,12 @@ "Toggle selection for all files and folders" : "Alternar selección para todos los archivos y carpetas", "Name" : "Nombre", "Size" : "Tamaño", - "\"{displayName}\" batch action executed successfully" : "La acción en lote \"{displayName}\" se ejecutó exitosamente", - "\"{displayName}\" action failed" : "La acción \"{displayName}\" falló", "Actions" : "Acciones", "(selected)" : "(seleccionado)", "List of files and folders." : "Lista de archivos y carpetas.", "Column headers with buttons are sortable." : "Las columnas con botones en la cabecera son ordenables.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Esta lista no se muestra completamente por motivos de rendimiento. Los archivos se mostrarán a medida que navega por la lista.", "File not found" : "Archivo no encontrado", - "Search globally" : "Búsqueda global", "{usedQuotaByte} used" : "{usedQuotaByte} utilizados", "{used} of {quota} used" : "{used} de {quota} usados", "{relative}% used" : "{relative}% utilizado", @@ -148,7 +145,6 @@ "Error during upload: {message}" : "Error durante la subida: {message}", "Error during upload, status code {status}" : "Error durante la carga, código de estado {status}", "Unknown error during upload" : "Error desconocido durante la carga", - "\"{displayName}\" action executed successfully" : "La acción \"{displayName}\" se ejecutó correctamente", "Loading current folder" : "Cargando la carpeta actual", "Retry" : "Reintentar", "No files in here" : "No hay archivos aquí", @@ -161,22 +157,27 @@ "File cannot be accessed" : "No se puede acceder al archivo", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "El archivo no fue encontrado o no tiene permisos para verlo. Solicite al remitente que lo comparta.", "Clipboard is not available" : "El portapapeles no está disponible", - "WebDAV URL copied to clipboard" : "WebDAV URL copiada al portapapeles", + "General" : "General", "All files" : "Todos los archivos", "Personal files" : "Archivos personales", "Sort favorites first" : "Ordenar los favoritos primero", "Sort folders before files" : "Ordenar carpetas antes que archivos", - "Enable folder tree" : "Habilitar el árbol de carpetas", + "Appearance" : "Apariencia", "Show hidden files" : "Mostrar archivos ocultos", "Crop image previews" : "Recortar la previsualización de las imágenes", "Additional settings" : "Configuraciones adicionales", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Copiar al portapapeles", + "Copy" : "Copiar", "Keyboard shortcuts" : "Atajos del teclado", + "Rename" : "Renombrar", + "Delete" : "Borrar", + "Manage tags" : "Administrar etiquetas", "Selection" : "Selección", + "Deselect all" : "Deseleccionar todo", "Navigation" : "Navegación", "View" : "Ver", + "Toggle grid view" : "Vista de cuadrícula", "You" : "Usted", "Shared multiple times with different people" : "Compartido múltiples veces con diferentes personas", "Error while loading the file data" : "Error al cargar los datos del archivo", @@ -199,7 +200,6 @@ "Delete files" : "Eliminar archivos", "Delete folder" : "Eliminar carpeta", "Delete folders" : "Eliminar carpetas", - "Delete" : "Borrar", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Está a punto de eliminar {count} elemento permanentemente.","Está a punto de eliminar {count} elementos permanentemente.","Está a punto de eliminar {count} elementos permanentemente."], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Está a punto de eliminar {count} elemento.","Está a punto de eliminar {count} elementos.","Está a punto de eliminar {count} elementos."], "Confirm deletion" : "Confirmar eliminación", @@ -217,7 +217,6 @@ "The file does not exist anymore" : "El archivo ya no existe", "Choose destination" : "Elegir destino", "Copy to {target}" : "Copiar a {target}", - "Copy" : "Copiar", "Move to {target}" : "Mover a {target}", "Move" : "Mover", "Move or copy operation failed" : "La operación de mover o copiar falló", @@ -227,8 +226,7 @@ "Failed to redirect to client" : "Fallo al redirigir al cliente", "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "El archivo se abrirá ahora en tu dispositivo. Si esto no ocurre, por favor verifica que hayas instalado la aplicación de escritorio.", "Retry and close" : "Reintentar y cerrar", - "Rename" : "Renombrar", - "Open details" : "Abrir detalles", + "Details" : "Detalles", "View in folder" : "Ver en la carpeta", "Today" : "Hoy", "Last 7 days" : "Últimos 7 días", @@ -241,7 +239,7 @@ "PDFs" : "PDFs", "Folders" : "Carpetas", "Audio" : "Audio", - "Photos and images" : "Fotos e imágenes", + "Images" : "Imágenes", "Videos" : "Videos", "Created new folder \"{name}\"" : "Nueva carpeta \"{name}\" creada", "Unable to initialize the templates directory" : "No se ha podido iniciar la carpeta de plantillas", @@ -267,7 +265,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "El nombre \"{newName}\" ya está en uso en la carpeta \"{dir}\". Por favor, elija un nombre diferente.", "Could not rename \"{oldName}\"" : "No se pudo renombrar \"{oldName}\"", "This operation is forbidden" : "Esta operación está prohibida", - "This directory is unavailable, please check the logs or contact the administrator" : "Esta carpeta no está disponible, por favor verfica las bitácoras o contacta al administrador", "Storage is temporarily not available" : "El almacenamiento no está disponible temporalmente ", "Unexpected error: {error}" : "Error inesperado: {error}", "_%n file_::_%n files_" : ["%n archivo","%n archivos","%n archivos"], @@ -318,12 +315,12 @@ "Edit locally" : "Editar localmente", "Open" : "Abrir", "Could not load info for file \"{file}\"" : "No fue posible cargar información para el archivo \"{file}\"", - "Details" : "Detalles", "Please select tag(s) to add to the selection" : "Seleccione la(s) etiqueta(s) para añadir a la selección", "Apply tag(s) to selection" : "Aplicar etiqueta(s) a selección", "Select directory \"{dirName}\"" : "Seleccione carpeta \"{dirName}\"", "Select file \"{fileName}\"" : "Seleccione archivo \"{fileName}\"", "Unable to determine date" : "No fue posible determinar la fecha", + "This directory is unavailable, please check the logs or contact the administrator" : "Esta carpeta no está disponible, por favor verfica las bitácoras o contacta al administrador", "Could not move \"{file}\", target exists" : "No fue posible mover \"{file}\", el destino ya existe", "Could not move \"{file}\"" : "No fue posible mover \"{file}\"", "copy" : "copiar", @@ -371,15 +368,23 @@ "Not favored" : "No favorecido", "An error occurred while trying to update the tags" : "Se presentó un error al intentar actualizar la etiqueta", "Upload (max. %s)" : "Cargar (max. %s)", + "\"{displayName}\" action executed successfully" : "La acción \"{displayName}\" se ejecutó correctamente", + "\"{displayName}\" action failed" : "La acción \"{displayName}\" falló", + "\"{displayName}\" batch action executed successfully" : "La acción en lote \"{displayName}\" se ejecutó exitosamente", "Submitting fields…" : "Enviando campos...", "Filter filenames…" : "Filtrar nombres de archivos...", + "WebDAV URL copied to clipboard" : "WebDAV URL copiada al portapapeles", "Enable the grid view" : "Habilitar la vista de cuadrícula", + "Enable folder tree" : "Habilitar el árbol de carpetas", + "Copy to clipboard" : "Copiar al portapapeles", "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", + "Open details" : "Abrir detalles", + "Photos and images" : "Fotos e imágenes", "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"], diff --git a/apps/files/l10n/et_EE.js b/apps/files/l10n/et_EE.js index 92405ec932c..1ee28ff43ba 100644 --- a/apps/files/l10n/et_EE.js +++ b/apps/files/l10n/et_EE.js @@ -115,9 +115,6 @@ OC.L10N.register( "Name" : "Nimi", "File type" : "Failitüüp", "Size" : "Suurus", - "\"{displayName}\" failed on some elements" : "„{displayName}“ ei toiminud mõne objekti puhul", - "\"{displayName}\" batch action executed successfully" : "Pakktöötlus õnnestus: „{displayName}“", - "\"{displayName}\" action failed" : "Tegevus ei õnnestunud: „{displayName}“", "Actions" : "Tegevused", "(selected)" : "(valitud)", "List of files and folders." : "Failide ja kaustade loend", @@ -126,11 +123,7 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Jõudluse mõttes ei ole kogu loend esimesel hetkel tervikuna nähtav. Uued failid lisanduvad sedamööda, kuid sa loendis edasi liigud.", "File not found" : "Faili ei leitud", "_{count} selected_::_{count} selected_" : ["{count} valitud","{count} valitud"], - "Search globally by filename …" : "Otsi failinime alusel kõikjalt…", - "Search here by filename …" : "Otsi failinime alusel siit…", "Search scope options" : "Otsinguulatuse valikud", - "Filter and search from this location" : "Filtreeri ja otsi siit asukohast", - "Search globally" : "Otsi kõikjalt", "{usedQuotaByte} used" : "{usedQuotaByte} kasutusel", "{used} of {quota} used" : "{used} / {quota} kasutusel", "{relative}% used" : "{relative}% kasutusel", @@ -180,7 +173,6 @@ OC.L10N.register( "Error during upload: {message}" : "Viga üleslaadimisel: {message}", "Error during upload, status code {status}" : "Viga üleslaadimisel, olekukood {status} ", "Unknown error during upload" : "Tundmatu viga üleslaadimisel", - "\"{displayName}\" action executed successfully" : "Toiming õnnestus: „{displayName}“", "Loading current folder" : "Laadin käesolevat kausta", "Retry" : "Proovi uuesti", "No files in here" : "Siin ei ole faile", @@ -195,49 +187,32 @@ OC.L10N.register( "No search results for “{query}”" : "„{query}“ otsingul pole tulemusi", "Search for files" : "Otsi faile", "Clipboard is not available" : "Lõikelaud ei ole saadaval", - "WebDAV URL copied to clipboard" : "WebDAV-i võrguaadress on kopeeritud lõikelauale", + "General" : "Üldine", "Default view" : "Vaikimisi vaade", "All files" : "Kõik failid", "Personal files" : "Isiklikud failid", "Sort favorites first" : "Järjesta lemmikud esimesena", "Sort folders before files" : "Järjesta kaustad enne faile", - "Enable folder tree" : "Võta kasutusele kaustapuu", - "Visual settings" : "Visuaalsed seadistused", + "Folder tree" : "Kaustapuu", + "Appearance" : "Välimus", "Show hidden files" : "Näita peidetud faile", "Show file type column" : "Näita failitüübi veergu", "Crop image previews" : "Kadreeri piltide eelvaated", - "Show files extensions" : "Näita failide laiendusi", "Additional settings" : "Lisaseadistused", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV-i võrguaadress", - "Copy to clipboard" : "Kopeeri lõikelauale", - "Use this address to access your Files via WebDAV." : "Oma failidele WebDAV-i kaudu ligipääsemiseks kasuta seda aadressi.", + "Copy" : "Kopeeri", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Kaheastmeline autentimine on sellel kontol kasutusel ja seega pead välise WebDAV-i kliendi jaoks kasutama rakenduse salasõna.", "Warnings" : "Hoiatused", - "Prevent warning dialogs from open or reenable them." : "Ära kasuta hoiatusteateid nende avamisel või uuesti kasutusele võtmisel.", - "Show a warning dialog when changing a file extension." : "Faililaiendi muutmisel näita hoiatust.", - "Show a warning dialog when deleting files." : "Failide kustutamisel näita hoiatust.", "Keyboard shortcuts" : "Klaviatuuri kiirklahvid", - "Speed up your Files experience with these quick shortcuts." : "Tee failirakenduse kasutamine kiiremaks nende kiirklahvidega.", - "Open the actions menu for a file" : "Ava failitoimingute menüü", - "Rename a file" : "Muuda failinime", - "Delete a file" : "Kustuta fail", - "Favorite or remove a file from favorites" : "Märgi fail lemmikuks või eemalda olek lemmikuna", - "Manage tags for a file" : "Halda failide silte", + "Rename" : "Muuda nime", + "Delete" : "Kustuta", + "Manage tags" : "Halda silte", "Selection" : "Valik", "Select all files" : "Vali kõik failid", - "Deselect all files" : "Eemalda kõikide failide valik", - "Select or deselect a file" : "Vali fail või eemalda valik", - "Select a range of files" : "Vali mitu faili", + "Deselect all" : "Eemalda kogu valik", "Navigation" : "Liikumine", - "Navigate to the parent folder" : "Mine ülakausta", - "Navigate to the file above" : "Liigu ülemise faili juurde", - "Navigate to the file below" : "Liigu alumise faili juurde", - "Navigate to the file on the left (in grid mode)" : "Liigu vasakpoolse faili juurde (ruudustikuvaates)", - "Navigate to the file on the right (in grid mode)" : "Liigu parempoolse faili juurde (ruudustikuvaates)", "View" : "Vaata", - "Toggle the grid view" : "Lülita ruudustikuvaade sisse/välja", - "Open the sidebar for a file" : "Ava faili külgriba", "Show those shortcuts" : "Näita neid otseteid", "You" : "Sina", "Shared multiple times with different people" : "Jagatud mitu korda eri kasutajate poolt", @@ -276,7 +251,6 @@ OC.L10N.register( "Delete files" : "Kustuta failid", "Delete folder" : "Kustuta kaust", "Delete folders" : "Kustuta kaustad", - "Delete" : "Kustuta", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Sa oled jäädavalt kustutamas {count} objekti","Sa oled jäädavalt kustutamas {count} objekti"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Sa oled kustutamas {count} objekti","Sa oled kustutamas {count} objekti"], "Confirm deletion" : "Kinnita kustutamine", @@ -294,7 +268,6 @@ OC.L10N.register( "The file does not exist anymore" : "Neid faile pole enam olemas", "Choose destination" : "Vali sihtkaust", "Copy to {target}" : "Kopeeri kausta {target}", - "Copy" : "Kopeeri", "Move to {target}" : "Teisalda kausta {target}", "Move" : "Teisalda", "Move or copy operation failed" : "Teisaldamine või kopeerimine ei õnnestunud", @@ -307,8 +280,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Fail peaks nüüd sinu seadmes või arvutis olema avatud. Kui see nii pole, siis palun kontrolli, et töölauarakendus on paigaldatud.", "Retry and close" : "Proovi uuesti ja sulge", "Open online" : "Ava võrgust", - "Rename" : "Muuda nime", - "Open details" : "Ava üksikasjad", + "Details" : "Üksikasjad", "View in folder" : "Vaata kaustas", "Today" : "Täna", "Last 7 days" : "Viimase 7 päeva jooksul", @@ -321,7 +293,7 @@ OC.L10N.register( "PDFs" : "PDF-failid", "Folders" : "Kaustad", "Audio" : "Helifailid", - "Photos and images" : "Fotod ja pildid", + "Images" : "Pildid", "Videos" : "Videod", "Created new folder \"{name}\"" : "Uus „{name}“ kaust on loodud", "Unable to initialize the templates directory" : "Mallide kausta loomine ebaõnnestus", @@ -348,7 +320,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "„{newName}“ nimi on juba „{dir}“ kaustas kasutusel. Palun vali teine nimi.", "Could not rename \"{oldName}\"" : "„{oldName}“ faili nime muutmine ei õnnestunud", "This operation is forbidden" : "See toiming on keelatud", - "This directory is unavailable, please check the logs or contact the administrator" : "See kaust pole saadaval, palun kontrolli logifaile või võta ühendust administraatoriga", "Storage is temporarily not available" : "Salvestusruum pole ajutiselt kättesaadav", "Unexpected error: {error}" : "Tundmatu viga: {error}", "_%n file_::_%n files_" : ["%n fail","%n faili"], @@ -363,7 +334,6 @@ OC.L10N.register( "No favorites yet" : "Lemmikuid veel pole", "Files and folders you mark as favorite will show up here" : "Siin kuvatakse faile ja kaustasid, mille oled märkinud lemmikuteks", "List of your files and folders." : "Sinu failide ja kaustade loend.", - "Folder tree" : "Kaustapuu", "List of your files and folders that are not shared." : "Sinu mittejagatud failide ja kaustade loend", "No personal files found" : "Isiklikke faile ei leitud", "Files that are not shared will show up here." : "Siin kuvatakse faile ja kaustu, mida sa pole teistega jaganud.", @@ -402,12 +372,12 @@ OC.L10N.register( "Edit locally" : "Muuda lokaalselt", "Open" : "Ava", "Could not load info for file \"{file}\"" : "Faili \"{file}\" info laadimine ebaõnnestus", - "Details" : "Üksikasjad", "Please select tag(s) to add to the selection" : "Palun vali sildid, mida valitutele lisada", "Apply tag(s) to selection" : "Rakenda sildid valitutele", "Select directory \"{dirName}\"" : "Vali kaust „{dirName}“", "Select file \"{fileName}\"" : "Vali fail „{fileName}“", "Unable to determine date" : "Kuupäeva tuvastamine ebaõnnestus", + "This directory is unavailable, please check the logs or contact the administrator" : "See kaust pole saadaval, palun kontrolli logifaile või võta ühendust administraatoriga", "Could not move \"{file}\", target exists" : "\"{file}\" liigutamine ebaõnnestus, sihtfail on juba olemas", "Could not move \"{file}\"" : "\"{file}\" liigutamine ebaõnnestus", "copy" : "koopia", @@ -455,15 +425,24 @@ OC.L10N.register( "Not favored" : "Pole märgitud lemmikuks", "An error occurred while trying to update the tags" : "Siltide uuendamisel tekkis tõrge", "Upload (max. %s)" : "Üleslaadimine (max. %s)", + "\"{displayName}\" action executed successfully" : "Toiming õnnestus: „{displayName}“", + "\"{displayName}\" action failed" : "Tegevus ei õnnestunud: „{displayName}“", + "\"{displayName}\" failed on some elements" : "„{displayName}“ ei toiminud mõne objekti puhul", + "\"{displayName}\" batch action executed successfully" : "Pakktöötlus õnnestus: „{displayName}“", "Submitting fields…" : "Saadan välju…", "Filter filenames…" : "Otsi failinimesid…", + "WebDAV URL copied to clipboard" : "WebDAV-i võrguaadress on kopeeritud lõikelauale", "Enable the grid view" : "Võta kasutusele ruudustikuvaade", + "Enable folder tree" : "Võta kasutusele kaustapuu", + "Copy to clipboard" : "Kopeeri lõikelauale", "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", + "Open details" : "Ava üksikasjad", + "Photos and images" : "Fotod ja pildid", "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"], @@ -477,6 +456,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (nimi on muudetud)", "renamed file" : "muudetud nimega fail", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Kui võtad kasutusele Windowsiga ühilduvad failinimed, siis olemasolevad mitteühilduvaid faile ei saa enam muuta, aga faili omanik saab failinime muuta ühilduvaks.", - "Filter file names …" : "Otsi failinimesid…" + "Filter file names …" : "Otsi failinimesid…", + "Prevent warning dialogs from open or reenable them." : "Ära kasuta hoiatusteateid nende avamisel või uuesti kasutusele võtmisel.", + "Show a warning dialog when changing a file extension." : "Faililaiendi muutmisel näita hoiatust.", + "Speed up your Files experience with these quick shortcuts." : "Tee failirakenduse kasutamine kiiremaks nende kiirklahvidega.", + "Open the actions menu for a file" : "Ava failitoimingute menüü", + "Rename a file" : "Muuda failinime", + "Delete a file" : "Kustuta fail", + "Favorite or remove a file from favorites" : "Märgi fail lemmikuks või eemalda olek lemmikuna", + "Manage tags for a file" : "Halda failide silte", + "Deselect all files" : "Eemalda kõikide failide valik", + "Select or deselect a file" : "Vali fail või eemalda valik", + "Select a range of files" : "Vali mitu faili", + "Navigate to the parent folder" : "Mine ülakausta", + "Navigate to the file above" : "Liigu ülemise faili juurde", + "Navigate to the file below" : "Liigu alumise faili juurde", + "Navigate to the file on the left (in grid mode)" : "Liigu vasakpoolse faili juurde (ruudustikuvaates)", + "Navigate to the file on the right (in grid mode)" : "Liigu parempoolse faili juurde (ruudustikuvaates)", + "Toggle the grid view" : "Lülita ruudustikuvaade sisse/välja", + "Open the sidebar for a file" : "Ava faili külgriba" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/et_EE.json b/apps/files/l10n/et_EE.json index cd0bdade459..181a468baa2 100644 --- a/apps/files/l10n/et_EE.json +++ b/apps/files/l10n/et_EE.json @@ -113,9 +113,6 @@ "Name" : "Nimi", "File type" : "Failitüüp", "Size" : "Suurus", - "\"{displayName}\" failed on some elements" : "„{displayName}“ ei toiminud mõne objekti puhul", - "\"{displayName}\" batch action executed successfully" : "Pakktöötlus õnnestus: „{displayName}“", - "\"{displayName}\" action failed" : "Tegevus ei õnnestunud: „{displayName}“", "Actions" : "Tegevused", "(selected)" : "(valitud)", "List of files and folders." : "Failide ja kaustade loend", @@ -124,11 +121,7 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Jõudluse mõttes ei ole kogu loend esimesel hetkel tervikuna nähtav. Uued failid lisanduvad sedamööda, kuid sa loendis edasi liigud.", "File not found" : "Faili ei leitud", "_{count} selected_::_{count} selected_" : ["{count} valitud","{count} valitud"], - "Search globally by filename …" : "Otsi failinime alusel kõikjalt…", - "Search here by filename …" : "Otsi failinime alusel siit…", "Search scope options" : "Otsinguulatuse valikud", - "Filter and search from this location" : "Filtreeri ja otsi siit asukohast", - "Search globally" : "Otsi kõikjalt", "{usedQuotaByte} used" : "{usedQuotaByte} kasutusel", "{used} of {quota} used" : "{used} / {quota} kasutusel", "{relative}% used" : "{relative}% kasutusel", @@ -178,7 +171,6 @@ "Error during upload: {message}" : "Viga üleslaadimisel: {message}", "Error during upload, status code {status}" : "Viga üleslaadimisel, olekukood {status} ", "Unknown error during upload" : "Tundmatu viga üleslaadimisel", - "\"{displayName}\" action executed successfully" : "Toiming õnnestus: „{displayName}“", "Loading current folder" : "Laadin käesolevat kausta", "Retry" : "Proovi uuesti", "No files in here" : "Siin ei ole faile", @@ -193,49 +185,32 @@ "No search results for “{query}”" : "„{query}“ otsingul pole tulemusi", "Search for files" : "Otsi faile", "Clipboard is not available" : "Lõikelaud ei ole saadaval", - "WebDAV URL copied to clipboard" : "WebDAV-i võrguaadress on kopeeritud lõikelauale", + "General" : "Üldine", "Default view" : "Vaikimisi vaade", "All files" : "Kõik failid", "Personal files" : "Isiklikud failid", "Sort favorites first" : "Järjesta lemmikud esimesena", "Sort folders before files" : "Järjesta kaustad enne faile", - "Enable folder tree" : "Võta kasutusele kaustapuu", - "Visual settings" : "Visuaalsed seadistused", + "Folder tree" : "Kaustapuu", + "Appearance" : "Välimus", "Show hidden files" : "Näita peidetud faile", "Show file type column" : "Näita failitüübi veergu", "Crop image previews" : "Kadreeri piltide eelvaated", - "Show files extensions" : "Näita failide laiendusi", "Additional settings" : "Lisaseadistused", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV-i võrguaadress", - "Copy to clipboard" : "Kopeeri lõikelauale", - "Use this address to access your Files via WebDAV." : "Oma failidele WebDAV-i kaudu ligipääsemiseks kasuta seda aadressi.", + "Copy" : "Kopeeri", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Kaheastmeline autentimine on sellel kontol kasutusel ja seega pead välise WebDAV-i kliendi jaoks kasutama rakenduse salasõna.", "Warnings" : "Hoiatused", - "Prevent warning dialogs from open or reenable them." : "Ära kasuta hoiatusteateid nende avamisel või uuesti kasutusele võtmisel.", - "Show a warning dialog when changing a file extension." : "Faililaiendi muutmisel näita hoiatust.", - "Show a warning dialog when deleting files." : "Failide kustutamisel näita hoiatust.", "Keyboard shortcuts" : "Klaviatuuri kiirklahvid", - "Speed up your Files experience with these quick shortcuts." : "Tee failirakenduse kasutamine kiiremaks nende kiirklahvidega.", - "Open the actions menu for a file" : "Ava failitoimingute menüü", - "Rename a file" : "Muuda failinime", - "Delete a file" : "Kustuta fail", - "Favorite or remove a file from favorites" : "Märgi fail lemmikuks või eemalda olek lemmikuna", - "Manage tags for a file" : "Halda failide silte", + "Rename" : "Muuda nime", + "Delete" : "Kustuta", + "Manage tags" : "Halda silte", "Selection" : "Valik", "Select all files" : "Vali kõik failid", - "Deselect all files" : "Eemalda kõikide failide valik", - "Select or deselect a file" : "Vali fail või eemalda valik", - "Select a range of files" : "Vali mitu faili", + "Deselect all" : "Eemalda kogu valik", "Navigation" : "Liikumine", - "Navigate to the parent folder" : "Mine ülakausta", - "Navigate to the file above" : "Liigu ülemise faili juurde", - "Navigate to the file below" : "Liigu alumise faili juurde", - "Navigate to the file on the left (in grid mode)" : "Liigu vasakpoolse faili juurde (ruudustikuvaates)", - "Navigate to the file on the right (in grid mode)" : "Liigu parempoolse faili juurde (ruudustikuvaates)", "View" : "Vaata", - "Toggle the grid view" : "Lülita ruudustikuvaade sisse/välja", - "Open the sidebar for a file" : "Ava faili külgriba", "Show those shortcuts" : "Näita neid otseteid", "You" : "Sina", "Shared multiple times with different people" : "Jagatud mitu korda eri kasutajate poolt", @@ -274,7 +249,6 @@ "Delete files" : "Kustuta failid", "Delete folder" : "Kustuta kaust", "Delete folders" : "Kustuta kaustad", - "Delete" : "Kustuta", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Sa oled jäädavalt kustutamas {count} objekti","Sa oled jäädavalt kustutamas {count} objekti"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Sa oled kustutamas {count} objekti","Sa oled kustutamas {count} objekti"], "Confirm deletion" : "Kinnita kustutamine", @@ -292,7 +266,6 @@ "The file does not exist anymore" : "Neid faile pole enam olemas", "Choose destination" : "Vali sihtkaust", "Copy to {target}" : "Kopeeri kausta {target}", - "Copy" : "Kopeeri", "Move to {target}" : "Teisalda kausta {target}", "Move" : "Teisalda", "Move or copy operation failed" : "Teisaldamine või kopeerimine ei õnnestunud", @@ -305,8 +278,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Fail peaks nüüd sinu seadmes või arvutis olema avatud. Kui see nii pole, siis palun kontrolli, et töölauarakendus on paigaldatud.", "Retry and close" : "Proovi uuesti ja sulge", "Open online" : "Ava võrgust", - "Rename" : "Muuda nime", - "Open details" : "Ava üksikasjad", + "Details" : "Üksikasjad", "View in folder" : "Vaata kaustas", "Today" : "Täna", "Last 7 days" : "Viimase 7 päeva jooksul", @@ -319,7 +291,7 @@ "PDFs" : "PDF-failid", "Folders" : "Kaustad", "Audio" : "Helifailid", - "Photos and images" : "Fotod ja pildid", + "Images" : "Pildid", "Videos" : "Videod", "Created new folder \"{name}\"" : "Uus „{name}“ kaust on loodud", "Unable to initialize the templates directory" : "Mallide kausta loomine ebaõnnestus", @@ -346,7 +318,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "„{newName}“ nimi on juba „{dir}“ kaustas kasutusel. Palun vali teine nimi.", "Could not rename \"{oldName}\"" : "„{oldName}“ faili nime muutmine ei õnnestunud", "This operation is forbidden" : "See toiming on keelatud", - "This directory is unavailable, please check the logs or contact the administrator" : "See kaust pole saadaval, palun kontrolli logifaile või võta ühendust administraatoriga", "Storage is temporarily not available" : "Salvestusruum pole ajutiselt kättesaadav", "Unexpected error: {error}" : "Tundmatu viga: {error}", "_%n file_::_%n files_" : ["%n fail","%n faili"], @@ -361,7 +332,6 @@ "No favorites yet" : "Lemmikuid veel pole", "Files and folders you mark as favorite will show up here" : "Siin kuvatakse faile ja kaustasid, mille oled märkinud lemmikuteks", "List of your files and folders." : "Sinu failide ja kaustade loend.", - "Folder tree" : "Kaustapuu", "List of your files and folders that are not shared." : "Sinu mittejagatud failide ja kaustade loend", "No personal files found" : "Isiklikke faile ei leitud", "Files that are not shared will show up here." : "Siin kuvatakse faile ja kaustu, mida sa pole teistega jaganud.", @@ -400,12 +370,12 @@ "Edit locally" : "Muuda lokaalselt", "Open" : "Ava", "Could not load info for file \"{file}\"" : "Faili \"{file}\" info laadimine ebaõnnestus", - "Details" : "Üksikasjad", "Please select tag(s) to add to the selection" : "Palun vali sildid, mida valitutele lisada", "Apply tag(s) to selection" : "Rakenda sildid valitutele", "Select directory \"{dirName}\"" : "Vali kaust „{dirName}“", "Select file \"{fileName}\"" : "Vali fail „{fileName}“", "Unable to determine date" : "Kuupäeva tuvastamine ebaõnnestus", + "This directory is unavailable, please check the logs or contact the administrator" : "See kaust pole saadaval, palun kontrolli logifaile või võta ühendust administraatoriga", "Could not move \"{file}\", target exists" : "\"{file}\" liigutamine ebaõnnestus, sihtfail on juba olemas", "Could not move \"{file}\"" : "\"{file}\" liigutamine ebaõnnestus", "copy" : "koopia", @@ -453,15 +423,24 @@ "Not favored" : "Pole märgitud lemmikuks", "An error occurred while trying to update the tags" : "Siltide uuendamisel tekkis tõrge", "Upload (max. %s)" : "Üleslaadimine (max. %s)", + "\"{displayName}\" action executed successfully" : "Toiming õnnestus: „{displayName}“", + "\"{displayName}\" action failed" : "Tegevus ei õnnestunud: „{displayName}“", + "\"{displayName}\" failed on some elements" : "„{displayName}“ ei toiminud mõne objekti puhul", + "\"{displayName}\" batch action executed successfully" : "Pakktöötlus õnnestus: „{displayName}“", "Submitting fields…" : "Saadan välju…", "Filter filenames…" : "Otsi failinimesid…", + "WebDAV URL copied to clipboard" : "WebDAV-i võrguaadress on kopeeritud lõikelauale", "Enable the grid view" : "Võta kasutusele ruudustikuvaade", + "Enable folder tree" : "Võta kasutusele kaustapuu", + "Copy to clipboard" : "Kopeeri lõikelauale", "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", + "Open details" : "Ava üksikasjad", + "Photos and images" : "Fotod ja pildid", "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"], @@ -475,6 +454,24 @@ "%1$s (renamed)" : "%1$s (nimi on muudetud)", "renamed file" : "muudetud nimega fail", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Kui võtad kasutusele Windowsiga ühilduvad failinimed, siis olemasolevad mitteühilduvaid faile ei saa enam muuta, aga faili omanik saab failinime muuta ühilduvaks.", - "Filter file names …" : "Otsi failinimesid…" + "Filter file names …" : "Otsi failinimesid…", + "Prevent warning dialogs from open or reenable them." : "Ära kasuta hoiatusteateid nende avamisel või uuesti kasutusele võtmisel.", + "Show a warning dialog when changing a file extension." : "Faililaiendi muutmisel näita hoiatust.", + "Speed up your Files experience with these quick shortcuts." : "Tee failirakenduse kasutamine kiiremaks nende kiirklahvidega.", + "Open the actions menu for a file" : "Ava failitoimingute menüü", + "Rename a file" : "Muuda failinime", + "Delete a file" : "Kustuta fail", + "Favorite or remove a file from favorites" : "Märgi fail lemmikuks või eemalda olek lemmikuna", + "Manage tags for a file" : "Halda failide silte", + "Deselect all files" : "Eemalda kõikide failide valik", + "Select or deselect a file" : "Vali fail või eemalda valik", + "Select a range of files" : "Vali mitu faili", + "Navigate to the parent folder" : "Mine ülakausta", + "Navigate to the file above" : "Liigu ülemise faili juurde", + "Navigate to the file below" : "Liigu alumise faili juurde", + "Navigate to the file on the left (in grid mode)" : "Liigu vasakpoolse faili juurde (ruudustikuvaates)", + "Navigate to the file on the right (in grid mode)" : "Liigu parempoolse faili juurde (ruudustikuvaates)", + "Toggle the grid view" : "Lülita ruudustikuvaade sisse/välja", + "Open the sidebar for a file" : "Ava faili külgriba" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/eu.js b/apps/files/l10n/eu.js index 0ff900f1eec..fdc5c607a10 100644 --- a/apps/files/l10n/eu.js +++ b/apps/files/l10n/eu.js @@ -103,8 +103,6 @@ OC.L10N.register( "Toggle selection for all files and folders" : "Ordeztu hautatutako fitxategi eta karpeta guztiak", "Name" : "Izena", "Size" : "Tamaina", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" multzoko ekintza behar bezala exekutatu da", - "\"{displayName}\" action failed" : "\"{displayName}\" ekintzak huts egin du", "Actions" : "Ekintzak", "(selected)" : "(hautatuta)", "List of files and folders." : "Fitxategi eta karpeten zerrenda.", @@ -113,7 +111,6 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Zerrenda hau ez da guztiz ikusten errendimendu arrazoiengatik. Fitxategiak zerrendan zehar nabigatzen duten heinean bistaratuko dira.", "File not found" : "Ez da fitxategia aurkitu", "_{count} selected_::_{count} selected_" : ["{count} hautatuta","{count} hautatuta"], - "Search globally" : "Bilatu globalki", "{usedQuotaByte} used" : "{usedQuotaByte} erabilita", "{used} of {quota} used" : "{used} / {quota} erabilita", "{relative}% used" : "%{relative} erabilita", @@ -157,7 +154,6 @@ OC.L10N.register( "Error during upload: {message}" : "Errorea igotzean: {message}", "Error during upload, status code {status}" : "Errore bat gertatu da igotzean, {status} egoera kodea", "Unknown error during upload" : "Errore ezezaguna igotzean", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" ekintza behar bezala exekutatu da", "Loading current folder" : "Uneko karpeta kargatzen", "Retry" : "saiatu berriro", "No files in here" : "Ez dago fitxategirik hemen", @@ -170,39 +166,29 @@ OC.L10N.register( "File cannot be accessed" : "Ezin da fitxategia atzitu", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Ezin izan da fitxategia aurkitu edo ez duzu ikusteko baimenik. Eskatu bidaltzaileari partekatzeko.", "Clipboard is not available" : "Arbela ez dago erabilgarri", - "WebDAV URL copied to clipboard" : "WebDAV URLa arbelean kopiatu da", + "General" : "Orokorra", "All files" : "Fitxategi guztiak", "Personal files" : "Fitxategi pertsonalak", "Sort favorites first" : "Ordenatu gogokoak lehenengo", "Sort folders before files" : "Ordenatu karpetak fitxategien aurretik", - "Enable folder tree" : "Gaitu karpeta-zuhaitza", + "Appearance" : "Itxura", "Show hidden files" : "Erakutsi ezkutuko fitxategiak", "Crop image previews" : "Moztu irudien aurrebistak", "Additional settings" : "Ezarpen gehiago", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URLa", - "Copy to clipboard" : "Kopiatu arbelera", + "Copy" : "Kopiatu", "Keyboard shortcuts" : "Teklatuaren lasterbideak", - "Speed up your Files experience with these quick shortcuts." : "Azkartu zure Fitxategi esperientzia lasterbide bizkor hauekin", - "Open the actions menu for a file" : "Ireki ekintza menua fitxategi baterako", - "Rename a file" : "Fitxategi bat berrizendatu", - "Delete a file" : "Fitxategi bat ezabatu", - "Favorite or remove a file from favorites" : "Fitxategi bat gustoko bihurtu edo gustoko izateari utzi", - "Manage tags for a file" : "Fitxategi baten etiketak kudeatu", + "File actions" : "Fitxategi ekintzak", + "Rename" : "Berrizendatu", + "Delete" : "Ezabatu", + "Manage tags" : "Kudeatu etiketak", "Selection" : "Hautapena", "Select all files" : "Fitxategi guztiak aukeratu", - "Deselect all files" : "Fitxategi guztiak desaukeratu", - "Select or deselect a file" : "Fitxategi bat aukeratu edo desaukeratu", - "Select a range of files" : "Fitxategi-hein bat aukeratu", + "Deselect all" : "Deshautatu dena", "Navigation" : "Nabigazioa", - "Navigate to the parent folder" : "Nabigatu guraso karpetara", - "Navigate to the file above" : "Nabigatu goiko fitxategira", - "Navigate to the file below" : "Nabigatu azpiko fitxategira", - "Navigate to the file on the left (in grid mode)" : "Nabigatu ezkerreko fitxategira (sareta moduan)", - "Navigate to the file on the right (in grid mode)" : "Nabigatu eskuineko fitxategira (sareta moduan)", "View" : "Ikusi", - "Toggle the grid view" : "Txandakatu sareta ikuspegia", - "Open the sidebar for a file" : "Ireki alboko barra fitxategi baterako", + "Toggle grid view" : "Txandakatu sareta ikuspegia", "Show those shortcuts" : "Erakutsi lasterbide horiek", "You" : "Zu ", "Shared multiple times with different people" : "Hainbat aldiz partekatua pertsona ezberdinekin", @@ -226,7 +212,6 @@ OC.L10N.register( "Delete files" : "Ezabatu fitxategiak", "Delete folder" : "Ezabatu karpeta", "Delete folders" : "Ezabatu karpetak", - "Delete" : "Ezabatu", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Elementu {count} betiko ezabatzera zoaz","{count} elementu betiko ezabatzera zoaz"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Elementu {count} ezabatzera zoaz"," {count} elementu ezabatzera zoaz"], "Confirm deletion" : "Berretsi ezabaketa", @@ -244,7 +229,6 @@ OC.L10N.register( "The file does not exist anymore" : "Fitxategia ez da existizen dagoeneko", "Choose destination" : "Aukeratu helburua", "Copy to {target}" : "Kopiatu hona: {target}", - "Copy" : "Kopiatu", "Move to {target}" : "Mugitu hona: {target}", "Move" : "Mugitu", "Move or copy operation failed" : "Mugitzeko edo kopiatzeko eragiketak huts egin du", @@ -256,8 +240,7 @@ OC.L10N.register( "Open file locally" : "Ireki fitxategia lokalean", "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Fitxategia orain zure gailuan ireki beharko litzateke. Hala ez bada, egiaztatu mahaigaineko aplikazioa instalatuta duzula.", "Retry and close" : "Saiatu berriro eta itxi", - "Rename" : "Berrizendatu", - "Open details" : "Ireki xehetasunak", + "Details" : "Xehetasunak", "View in folder" : "Ikusi karpetan", "Today" : "Gaur", "Last 7 days" : "Azken 7 egunetan", @@ -270,7 +253,7 @@ OC.L10N.register( "PDFs" : "PDFak", "Folders" : "Karpetak", "Audio" : "Audio", - "Photos and images" : "Argazkiak eta irudiak", + "Images" : "Irudiak", "Videos" : "Bideoak", "Created new folder \"{name}\"" : "\"{name}\" karpeta berria sortu da", "Unable to initialize the templates directory" : "Ezin da txantiloien direktorioa hasieratu", @@ -296,7 +279,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "\"{newName}\" izena \"{dir}\" karpetan dagoeneko erabiltzen da. Mesedez aukeratu beste izen bat.", "Could not rename \"{oldName}\"" : "Ezin izan da \"{oldName}\" berrizendatu ", "This operation is forbidden" : "Eragiketa hau debekatuta dago", - "This directory is unavailable, please check the logs or contact the administrator" : "Direktorio hau ez dago erabilgarri, egiaztatu egunkariak edo jarri administratzailearekin harremanetan", "Storage is temporarily not available" : "Biltegia ez dago erabilgarri aldi baterako", "Unexpected error: {error}" : "Ustekabeko errorea: {error}", "_%n file_::_%n files_" : ["Fitxategi %n","%n fitxategi"], @@ -347,12 +329,12 @@ OC.L10N.register( "Edit locally" : "Editatu lokalean", "Open" : "Ireki", "Could not load info for file \"{file}\"" : "Ezin izan da \"{file}\" fitxategiaren informazioa kargatu", - "Details" : "Xehetasunak", "Please select tag(s) to add to the selection" : "Hautatu etiketa(k) hautapenera gehitzeko", "Apply tag(s) to selection" : "Aplikatu etiketa(k) hautapenari", "Select directory \"{dirName}\"" : "Hautatu \"{dirName}\" direktorioa", "Select file \"{fileName}\"" : "Hautatu \"{fileName}\" fitxategia", "Unable to determine date" : "Ezin izan da data zehaztu", + "This directory is unavailable, please check the logs or contact the administrator" : "Direktorio hau ez dago erabilgarri, egiaztatu egunkariak edo jarri administratzailearekin harremanetan", "Could not move \"{file}\", target exists" : "Ezin izan da \"{file}\" lekuz aldatu, helburua existitzen da jadanik", "Could not move \"{file}\"" : "Ezin izan da \"{file}\" lekuz aldatu", "copy" : "kopiatu", @@ -400,15 +382,23 @@ OC.L10N.register( "Not favored" : "Mesedetu gabe", "An error occurred while trying to update the tags" : "Errore bat gertatu da etiketak eguneratzen saiatzean", "Upload (max. %s)" : "Igo (%s gehienez)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" ekintza behar bezala exekutatu da", + "\"{displayName}\" action failed" : "\"{displayName}\" ekintzak huts egin du", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" multzoko ekintza behar bezala exekutatu da", "Submitting fields…" : "Eremuak bidaltzen…", "Filter filenames…" : "Iragazi fitxategi-izenak...", + "WebDAV URL copied to clipboard" : "WebDAV URLa arbelean kopiatu da", "Enable the grid view" : "Gaitu sareta ikuspegira", + "Enable folder tree" : "Gaitu karpeta-zuhaitza", + "Copy to clipboard" : "Kopiatu arbelera", "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", + "Open details" : "Ireki xehetasunak", + "Photos and images" : "Argazkiak eta irudiak", "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"], @@ -418,6 +408,22 @@ OC.L10N.register( "All folders" : "Karpeta guztiak", "Personal Files" : "Fitxategi pertsonalak", "Text file" : "Testu-fitxategia", - "New text file.txt" : "Testu-fitxategi berria.txt" + "New text file.txt" : "Testu-fitxategi berria.txt", + "Speed up your Files experience with these quick shortcuts." : "Azkartu zure Fitxategi esperientzia lasterbide bizkor hauekin", + "Open the actions menu for a file" : "Ireki ekintza menua fitxategi baterako", + "Rename a file" : "Fitxategi bat berrizendatu", + "Delete a file" : "Fitxategi bat ezabatu", + "Favorite or remove a file from favorites" : "Fitxategi bat gustoko bihurtu edo gustoko izateari utzi", + "Manage tags for a file" : "Fitxategi baten etiketak kudeatu", + "Deselect all files" : "Fitxategi guztiak desaukeratu", + "Select or deselect a file" : "Fitxategi bat aukeratu edo desaukeratu", + "Select a range of files" : "Fitxategi-hein bat aukeratu", + "Navigate to the parent folder" : "Nabigatu guraso karpetara", + "Navigate to the file above" : "Nabigatu goiko fitxategira", + "Navigate to the file below" : "Nabigatu azpiko fitxategira", + "Navigate to the file on the left (in grid mode)" : "Nabigatu ezkerreko fitxategira (sareta moduan)", + "Navigate to the file on the right (in grid mode)" : "Nabigatu eskuineko fitxategira (sareta moduan)", + "Toggle the grid view" : "Txandakatu sareta ikuspegia", + "Open the sidebar for a file" : "Ireki alboko barra fitxategi baterako" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/eu.json b/apps/files/l10n/eu.json index 2b347bae3a9..c8b68ddaaf1 100644 --- a/apps/files/l10n/eu.json +++ b/apps/files/l10n/eu.json @@ -101,8 +101,6 @@ "Toggle selection for all files and folders" : "Ordeztu hautatutako fitxategi eta karpeta guztiak", "Name" : "Izena", "Size" : "Tamaina", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" multzoko ekintza behar bezala exekutatu da", - "\"{displayName}\" action failed" : "\"{displayName}\" ekintzak huts egin du", "Actions" : "Ekintzak", "(selected)" : "(hautatuta)", "List of files and folders." : "Fitxategi eta karpeten zerrenda.", @@ -111,7 +109,6 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Zerrenda hau ez da guztiz ikusten errendimendu arrazoiengatik. Fitxategiak zerrendan zehar nabigatzen duten heinean bistaratuko dira.", "File not found" : "Ez da fitxategia aurkitu", "_{count} selected_::_{count} selected_" : ["{count} hautatuta","{count} hautatuta"], - "Search globally" : "Bilatu globalki", "{usedQuotaByte} used" : "{usedQuotaByte} erabilita", "{used} of {quota} used" : "{used} / {quota} erabilita", "{relative}% used" : "%{relative} erabilita", @@ -155,7 +152,6 @@ "Error during upload: {message}" : "Errorea igotzean: {message}", "Error during upload, status code {status}" : "Errore bat gertatu da igotzean, {status} egoera kodea", "Unknown error during upload" : "Errore ezezaguna igotzean", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" ekintza behar bezala exekutatu da", "Loading current folder" : "Uneko karpeta kargatzen", "Retry" : "saiatu berriro", "No files in here" : "Ez dago fitxategirik hemen", @@ -168,39 +164,29 @@ "File cannot be accessed" : "Ezin da fitxategia atzitu", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Ezin izan da fitxategia aurkitu edo ez duzu ikusteko baimenik. Eskatu bidaltzaileari partekatzeko.", "Clipboard is not available" : "Arbela ez dago erabilgarri", - "WebDAV URL copied to clipboard" : "WebDAV URLa arbelean kopiatu da", + "General" : "Orokorra", "All files" : "Fitxategi guztiak", "Personal files" : "Fitxategi pertsonalak", "Sort favorites first" : "Ordenatu gogokoak lehenengo", "Sort folders before files" : "Ordenatu karpetak fitxategien aurretik", - "Enable folder tree" : "Gaitu karpeta-zuhaitza", + "Appearance" : "Itxura", "Show hidden files" : "Erakutsi ezkutuko fitxategiak", "Crop image previews" : "Moztu irudien aurrebistak", "Additional settings" : "Ezarpen gehiago", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URLa", - "Copy to clipboard" : "Kopiatu arbelera", + "Copy" : "Kopiatu", "Keyboard shortcuts" : "Teklatuaren lasterbideak", - "Speed up your Files experience with these quick shortcuts." : "Azkartu zure Fitxategi esperientzia lasterbide bizkor hauekin", - "Open the actions menu for a file" : "Ireki ekintza menua fitxategi baterako", - "Rename a file" : "Fitxategi bat berrizendatu", - "Delete a file" : "Fitxategi bat ezabatu", - "Favorite or remove a file from favorites" : "Fitxategi bat gustoko bihurtu edo gustoko izateari utzi", - "Manage tags for a file" : "Fitxategi baten etiketak kudeatu", + "File actions" : "Fitxategi ekintzak", + "Rename" : "Berrizendatu", + "Delete" : "Ezabatu", + "Manage tags" : "Kudeatu etiketak", "Selection" : "Hautapena", "Select all files" : "Fitxategi guztiak aukeratu", - "Deselect all files" : "Fitxategi guztiak desaukeratu", - "Select or deselect a file" : "Fitxategi bat aukeratu edo desaukeratu", - "Select a range of files" : "Fitxategi-hein bat aukeratu", + "Deselect all" : "Deshautatu dena", "Navigation" : "Nabigazioa", - "Navigate to the parent folder" : "Nabigatu guraso karpetara", - "Navigate to the file above" : "Nabigatu goiko fitxategira", - "Navigate to the file below" : "Nabigatu azpiko fitxategira", - "Navigate to the file on the left (in grid mode)" : "Nabigatu ezkerreko fitxategira (sareta moduan)", - "Navigate to the file on the right (in grid mode)" : "Nabigatu eskuineko fitxategira (sareta moduan)", "View" : "Ikusi", - "Toggle the grid view" : "Txandakatu sareta ikuspegia", - "Open the sidebar for a file" : "Ireki alboko barra fitxategi baterako", + "Toggle grid view" : "Txandakatu sareta ikuspegia", "Show those shortcuts" : "Erakutsi lasterbide horiek", "You" : "Zu ", "Shared multiple times with different people" : "Hainbat aldiz partekatua pertsona ezberdinekin", @@ -224,7 +210,6 @@ "Delete files" : "Ezabatu fitxategiak", "Delete folder" : "Ezabatu karpeta", "Delete folders" : "Ezabatu karpetak", - "Delete" : "Ezabatu", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Elementu {count} betiko ezabatzera zoaz","{count} elementu betiko ezabatzera zoaz"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Elementu {count} ezabatzera zoaz"," {count} elementu ezabatzera zoaz"], "Confirm deletion" : "Berretsi ezabaketa", @@ -242,7 +227,6 @@ "The file does not exist anymore" : "Fitxategia ez da existizen dagoeneko", "Choose destination" : "Aukeratu helburua", "Copy to {target}" : "Kopiatu hona: {target}", - "Copy" : "Kopiatu", "Move to {target}" : "Mugitu hona: {target}", "Move" : "Mugitu", "Move or copy operation failed" : "Mugitzeko edo kopiatzeko eragiketak huts egin du", @@ -254,8 +238,7 @@ "Open file locally" : "Ireki fitxategia lokalean", "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Fitxategia orain zure gailuan ireki beharko litzateke. Hala ez bada, egiaztatu mahaigaineko aplikazioa instalatuta duzula.", "Retry and close" : "Saiatu berriro eta itxi", - "Rename" : "Berrizendatu", - "Open details" : "Ireki xehetasunak", + "Details" : "Xehetasunak", "View in folder" : "Ikusi karpetan", "Today" : "Gaur", "Last 7 days" : "Azken 7 egunetan", @@ -268,7 +251,7 @@ "PDFs" : "PDFak", "Folders" : "Karpetak", "Audio" : "Audio", - "Photos and images" : "Argazkiak eta irudiak", + "Images" : "Irudiak", "Videos" : "Bideoak", "Created new folder \"{name}\"" : "\"{name}\" karpeta berria sortu da", "Unable to initialize the templates directory" : "Ezin da txantiloien direktorioa hasieratu", @@ -294,7 +277,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "\"{newName}\" izena \"{dir}\" karpetan dagoeneko erabiltzen da. Mesedez aukeratu beste izen bat.", "Could not rename \"{oldName}\"" : "Ezin izan da \"{oldName}\" berrizendatu ", "This operation is forbidden" : "Eragiketa hau debekatuta dago", - "This directory is unavailable, please check the logs or contact the administrator" : "Direktorio hau ez dago erabilgarri, egiaztatu egunkariak edo jarri administratzailearekin harremanetan", "Storage is temporarily not available" : "Biltegia ez dago erabilgarri aldi baterako", "Unexpected error: {error}" : "Ustekabeko errorea: {error}", "_%n file_::_%n files_" : ["Fitxategi %n","%n fitxategi"], @@ -345,12 +327,12 @@ "Edit locally" : "Editatu lokalean", "Open" : "Ireki", "Could not load info for file \"{file}\"" : "Ezin izan da \"{file}\" fitxategiaren informazioa kargatu", - "Details" : "Xehetasunak", "Please select tag(s) to add to the selection" : "Hautatu etiketa(k) hautapenera gehitzeko", "Apply tag(s) to selection" : "Aplikatu etiketa(k) hautapenari", "Select directory \"{dirName}\"" : "Hautatu \"{dirName}\" direktorioa", "Select file \"{fileName}\"" : "Hautatu \"{fileName}\" fitxategia", "Unable to determine date" : "Ezin izan da data zehaztu", + "This directory is unavailable, please check the logs or contact the administrator" : "Direktorio hau ez dago erabilgarri, egiaztatu egunkariak edo jarri administratzailearekin harremanetan", "Could not move \"{file}\", target exists" : "Ezin izan da \"{file}\" lekuz aldatu, helburua existitzen da jadanik", "Could not move \"{file}\"" : "Ezin izan da \"{file}\" lekuz aldatu", "copy" : "kopiatu", @@ -398,15 +380,23 @@ "Not favored" : "Mesedetu gabe", "An error occurred while trying to update the tags" : "Errore bat gertatu da etiketak eguneratzen saiatzean", "Upload (max. %s)" : "Igo (%s gehienez)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" ekintza behar bezala exekutatu da", + "\"{displayName}\" action failed" : "\"{displayName}\" ekintzak huts egin du", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" multzoko ekintza behar bezala exekutatu da", "Submitting fields…" : "Eremuak bidaltzen…", "Filter filenames…" : "Iragazi fitxategi-izenak...", + "WebDAV URL copied to clipboard" : "WebDAV URLa arbelean kopiatu da", "Enable the grid view" : "Gaitu sareta ikuspegira", + "Enable folder tree" : "Gaitu karpeta-zuhaitza", + "Copy to clipboard" : "Kopiatu arbelera", "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", + "Open details" : "Ireki xehetasunak", + "Photos and images" : "Argazkiak eta irudiak", "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"], @@ -416,6 +406,22 @@ "All folders" : "Karpeta guztiak", "Personal Files" : "Fitxategi pertsonalak", "Text file" : "Testu-fitxategia", - "New text file.txt" : "Testu-fitxategi berria.txt" + "New text file.txt" : "Testu-fitxategi berria.txt", + "Speed up your Files experience with these quick shortcuts." : "Azkartu zure Fitxategi esperientzia lasterbide bizkor hauekin", + "Open the actions menu for a file" : "Ireki ekintza menua fitxategi baterako", + "Rename a file" : "Fitxategi bat berrizendatu", + "Delete a file" : "Fitxategi bat ezabatu", + "Favorite or remove a file from favorites" : "Fitxategi bat gustoko bihurtu edo gustoko izateari utzi", + "Manage tags for a file" : "Fitxategi baten etiketak kudeatu", + "Deselect all files" : "Fitxategi guztiak desaukeratu", + "Select or deselect a file" : "Fitxategi bat aukeratu edo desaukeratu", + "Select a range of files" : "Fitxategi-hein bat aukeratu", + "Navigate to the parent folder" : "Nabigatu guraso karpetara", + "Navigate to the file above" : "Nabigatu goiko fitxategira", + "Navigate to the file below" : "Nabigatu azpiko fitxategira", + "Navigate to the file on the left (in grid mode)" : "Nabigatu ezkerreko fitxategira (sareta moduan)", + "Navigate to the file on the right (in grid mode)" : "Nabigatu eskuineko fitxategira (sareta moduan)", + "Toggle the grid view" : "Txandakatu sareta ikuspegia", + "Open the sidebar for a file" : "Ireki alboko barra fitxategi baterako" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/fa.js b/apps/files/l10n/fa.js index 675a5b377de..31a8378af27 100644 --- a/apps/files/l10n/fa.js +++ b/apps/files/l10n/fa.js @@ -115,9 +115,6 @@ OC.L10N.register( "Name" : "نام", "File type" : "File type", "Size" : "اندازه", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" failed on some elements", - "\"{displayName}\" batch action executed successfully" : "عملکرد دستهای \"{displayName}\" با موفقیت اجرا شد", - "\"{displayName}\" action failed" : "اقدام \"{displayName}\" ناموفق بود", "Actions" : "فعالیت ها", "(selected)" : "(selected)", "List of files and folders." : "لیست فایل ها و پوشه ها", @@ -125,7 +122,6 @@ OC.L10N.register( "Column headers with buttons are sortable." : "Column headers with buttons are sortable.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "این لیست به دلایل عملکرد به طور کامل ارائه نشده است. در حین حرکت در لیست، فایل ها ارائه می شوند.", "File not found" : "فایل یافت نشد", - "Search globally" : "در سطح جهان جستجو کنید", "{usedQuotaByte} used" : "{usedQuotaByte} استفاده شده است", "{used} of {quota} used" : "{used} از {quota} استفاده شده", "{relative}% used" : "{relative}% used", @@ -174,7 +170,6 @@ OC.L10N.register( "Error during upload: {message}" : "Error during upload: {message}", "Error during upload, status code {status}" : "Error during upload, status code {status}", "Unknown error during upload" : "Unknown error during upload", - "\"{displayName}\" action executed successfully" : "عملکرد \"{displayName}\" با موفقیت اجرا شد", "Loading current folder" : "در حال بارگیری پوشه فعلی", "Retry" : "تلاش دوباره", "No files in here" : "هیچ فایلی اینجا وجود ندارد", @@ -187,43 +182,31 @@ OC.L10N.register( "File cannot be accessed" : "فایل قابل دسترسی نیست", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "The file could not be found or you do not have permissions to view it. Ask the sender to share it.", "Clipboard is not available" : "کلیپ بورد در دسترس نیست", - "WebDAV URL copied to clipboard" : "URL WebDAV در کلیپ بورد کپی شد", + "General" : "عمومی", "All files" : "تمامی فایلها", "Personal files" : "فایلهای شخصی", "Sort favorites first" : "ابتدا موارد دلخواه را مرتب کنید", "Sort folders before files" : "Sort folders before files", - "Enable folder tree" : "Enable folder tree", + "Appearance" : "ظاهر", "Show hidden files" : "نمایش پروندههای مخفی", "Show file type column" : "Show file type column", "Crop image previews" : "پیش نمایش تصویر برش", "Additional settings" : "تنظیمات اضافی", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "کپی به کلیپ بورد", + "Copy" : "رونوشت", "Warnings" : "Warnings", - "Prevent warning dialogs from open or reenable them." : "Prevent warning dialogs from open or reenable them.", - "Show a warning dialog when changing a file extension." : "Show a warning dialog when changing a file extension.", "Keyboard shortcuts" : "میانبرهای صفحهکلید", - "Speed up your Files experience with these quick shortcuts." : "Speed up your Files experience with these quick shortcuts.", - "Open the actions menu for a file" : "Open the actions menu for a file", - "Rename a file" : "Rename a file", - "Delete a file" : "Delete a file", - "Favorite or remove a file from favorites" : "Favorite or remove a file from favorites", - "Manage tags for a file" : "Manage tags for a file", + "File actions" : "File actions", + "Rename" : "تغییرنام", + "Delete" : "حذف", + "Manage tags" : "مدیریت برچسب ها", "Selection" : "انتخاب", "Select all files" : "Select all files", - "Deselect all files" : "Deselect all files", - "Select or deselect a file" : "Select or deselect a file", - "Select a range of files" : "Select a range of files", + "Deselect all" : "لغو انتخاب همه", "Navigation" : "جهت یابی", - "Navigate to the parent folder" : "Navigate to the parent folder", - "Navigate to the file above" : "Navigate to the file above", - "Navigate to the file below" : "Navigate to the file below", - "Navigate to the file on the left (in grid mode)" : "Navigate to the file on the left (in grid mode)", - "Navigate to the file on the right (in grid mode)" : "Navigate to the file on the right (in grid mode)", "View" : "نمایش", - "Toggle the grid view" : "Toggle the grid view", - "Open the sidebar for a file" : "Open the sidebar for a file", + "Toggle grid view" : "نمای دریچه را تغییر دهید", "Show those shortcuts" : "Show those shortcuts", "You" : "You", "Shared multiple times with different people" : "Shared multiple times with different people", @@ -261,7 +244,6 @@ OC.L10N.register( "Delete files" : "حذف فایلها", "Delete folder" : "حذف پوشه", "Delete folders" : "Delete folders", - "Delete" : "حذف", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["You are about to permanently delete {count} item","You are about to permanently delete {count} items"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["You are about to delete {count} item","You are about to delete {count} items"], "Confirm deletion" : "Confirm deletion", @@ -277,7 +259,6 @@ OC.L10N.register( "The file does not exist anymore" : "The file does not exist anymore", "Choose destination" : "Choose destination", "Copy to {target}" : "رونوشت به {target}", - "Copy" : "رونوشت", "Move to {target}" : "جابجایی به {target}", "Move" : "انتقال", "Move or copy operation failed" : "Move or copy operation failed", @@ -290,8 +271,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "The file should now open on your device. If it doesn't, please check that you have the desktop app installed.", "Retry and close" : "Retry and close", "Open online" : "Open online", - "Rename" : "تغییرنام", - "Open details" : "باز کردن جزئیات", + "Details" : "جزئیات", "View in folder" : "مشاهده در پوشه", "Today" : "امروز", "Last 7 days" : "۷ روز گذشته", @@ -304,7 +284,7 @@ OC.L10N.register( "PDFs" : "PDFs", "Folders" : "Folders", "Audio" : "صدا", - "Photos and images" : "Photos and images", + "Images" : "تصاویر", "Videos" : "فیلم ها ", "Created new folder \"{name}\"" : "Created new folder \"{name}\"", "Unable to initialize the templates directory" : "راه اندازی دایرکتوری الگوها ممکن نیست", @@ -330,7 +310,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "نام \"{newName}\" در پوشه \"{dir}\" به کار رفته است.\nلطفا نام دیگری برگزینید.", "Could not rename \"{oldName}\"" : "تغییر نام \"{oldName}\" ممکن نیست", "This operation is forbidden" : "این عملیات غیرمجاز است", - "This directory is unavailable, please check the logs or contact the administrator" : "پوشه در دسترس نیست، لطفا لاگها را بررسی کنید یا به مدیر سیستم اطلاع دهید", "Storage is temporarily not available" : "ذخیره سازی به طور موقت در دسترس نیست", "Unexpected error: {error}" : "Unexpected error: {error}", "_%n file_::_%n files_" : ["%n فایل","%n فایل"], @@ -382,12 +361,12 @@ OC.L10N.register( "Edit locally" : "ویرایش محلی", "Open" : "باز کردن", "Could not load info for file \"{file}\"" : "بارگیری اطلاعات برای پرونده امکان پذیر نیست \"{file}\"", - "Details" : "جزئیات", "Please select tag(s) to add to the selection" : "لطفاً برچسب(های) را برای افزودن به انتخاب انتخاب کنید", "Apply tag(s) to selection" : "تگ(ها) را در انتخاب اعمال کنید", "Select directory \"{dirName}\"" : "دایرکتوری \"{dirName}\" را انتخاب کنید", "Select file \"{fileName}\"" : "فایل \"{fileName}\" را انتخاب کنید", "Unable to determine date" : "امکان تعیین تاریخ وجود ندارد", + "This directory is unavailable, please check the logs or contact the administrator" : "پوشه در دسترس نیست، لطفا لاگها را بررسی کنید یا به مدیر سیستم اطلاع دهید", "Could not move \"{file}\", target exists" : "انتقال\"{file}\" امکان پذیر نیست ، هدف وجود دارد", "Could not move \"{file}\"" : "پروندهٔ \"{file}\" منتقل نمیشود", "copy" : "کپی", @@ -435,15 +414,24 @@ OC.L10N.register( "Not favored" : "Not favored", "An error occurred while trying to update the tags" : "یک خطا در حین بروزرسانی برچسبها رخ داده است", "Upload (max. %s)" : "آپلود (بیشترین سایز %s)", + "\"{displayName}\" action executed successfully" : "عملکرد \"{displayName}\" با موفقیت اجرا شد", + "\"{displayName}\" action failed" : "اقدام \"{displayName}\" ناموفق بود", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" failed on some elements", + "\"{displayName}\" batch action executed successfully" : "عملکرد دستهای \"{displayName}\" با موفقیت اجرا شد", "Submitting fields…" : "Submitting fields…", "Filter filenames…" : "Filter filenames…", + "WebDAV URL copied to clipboard" : "URL WebDAV در کلیپ بورد کپی شد", "Enable the grid view" : "Enable the grid view", + "Enable folder tree" : "Enable folder tree", + "Copy to clipboard" : "کپی به کلیپ بورد", "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", + "Open details" : "باز کردن جزئیات", + "Photos and images" : "Photos and images", "New folder creation cancelled" : "New folder creation cancelled", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} پوشه","{folderCount} پوشه"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} پرونده","{fileCount} پرونده"], @@ -457,6 +445,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (renamed)", "renamed file" : "renamed file", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner.", - "Filter file names …" : "Filter file names …" + "Filter file names …" : "Filter file names …", + "Prevent warning dialogs from open or reenable them." : "Prevent warning dialogs from open or reenable them.", + "Show a warning dialog when changing a file extension." : "Show a warning dialog when changing a file extension.", + "Speed up your Files experience with these quick shortcuts." : "Speed up your Files experience with these quick shortcuts.", + "Open the actions menu for a file" : "Open the actions menu for a file", + "Rename a file" : "Rename a file", + "Delete a file" : "Delete a file", + "Favorite or remove a file from favorites" : "Favorite or remove a file from favorites", + "Manage tags for a file" : "Manage tags for a file", + "Deselect all files" : "Deselect all files", + "Select or deselect a file" : "Select or deselect a file", + "Select a range of files" : "Select a range of files", + "Navigate to the parent folder" : "Navigate to the parent folder", + "Navigate to the file above" : "Navigate to the file above", + "Navigate to the file below" : "Navigate to the file below", + "Navigate to the file on the left (in grid mode)" : "Navigate to the file on the left (in grid mode)", + "Navigate to the file on the right (in grid mode)" : "Navigate to the file on the right (in grid mode)", + "Toggle the grid view" : "Toggle the grid view", + "Open the sidebar for a file" : "Open the sidebar for a file" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/files/l10n/fa.json b/apps/files/l10n/fa.json index e713bd4e8c6..8dd003ee343 100644 --- a/apps/files/l10n/fa.json +++ b/apps/files/l10n/fa.json @@ -113,9 +113,6 @@ "Name" : "نام", "File type" : "File type", "Size" : "اندازه", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" failed on some elements", - "\"{displayName}\" batch action executed successfully" : "عملکرد دستهای \"{displayName}\" با موفقیت اجرا شد", - "\"{displayName}\" action failed" : "اقدام \"{displayName}\" ناموفق بود", "Actions" : "فعالیت ها", "(selected)" : "(selected)", "List of files and folders." : "لیست فایل ها و پوشه ها", @@ -123,7 +120,6 @@ "Column headers with buttons are sortable." : "Column headers with buttons are sortable.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "این لیست به دلایل عملکرد به طور کامل ارائه نشده است. در حین حرکت در لیست، فایل ها ارائه می شوند.", "File not found" : "فایل یافت نشد", - "Search globally" : "در سطح جهان جستجو کنید", "{usedQuotaByte} used" : "{usedQuotaByte} استفاده شده است", "{used} of {quota} used" : "{used} از {quota} استفاده شده", "{relative}% used" : "{relative}% used", @@ -172,7 +168,6 @@ "Error during upload: {message}" : "Error during upload: {message}", "Error during upload, status code {status}" : "Error during upload, status code {status}", "Unknown error during upload" : "Unknown error during upload", - "\"{displayName}\" action executed successfully" : "عملکرد \"{displayName}\" با موفقیت اجرا شد", "Loading current folder" : "در حال بارگیری پوشه فعلی", "Retry" : "تلاش دوباره", "No files in here" : "هیچ فایلی اینجا وجود ندارد", @@ -185,43 +180,31 @@ "File cannot be accessed" : "فایل قابل دسترسی نیست", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "The file could not be found or you do not have permissions to view it. Ask the sender to share it.", "Clipboard is not available" : "کلیپ بورد در دسترس نیست", - "WebDAV URL copied to clipboard" : "URL WebDAV در کلیپ بورد کپی شد", + "General" : "عمومی", "All files" : "تمامی فایلها", "Personal files" : "فایلهای شخصی", "Sort favorites first" : "ابتدا موارد دلخواه را مرتب کنید", "Sort folders before files" : "Sort folders before files", - "Enable folder tree" : "Enable folder tree", + "Appearance" : "ظاهر", "Show hidden files" : "نمایش پروندههای مخفی", "Show file type column" : "Show file type column", "Crop image previews" : "پیش نمایش تصویر برش", "Additional settings" : "تنظیمات اضافی", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "کپی به کلیپ بورد", + "Copy" : "رونوشت", "Warnings" : "Warnings", - "Prevent warning dialogs from open or reenable them." : "Prevent warning dialogs from open or reenable them.", - "Show a warning dialog when changing a file extension." : "Show a warning dialog when changing a file extension.", "Keyboard shortcuts" : "میانبرهای صفحهکلید", - "Speed up your Files experience with these quick shortcuts." : "Speed up your Files experience with these quick shortcuts.", - "Open the actions menu for a file" : "Open the actions menu for a file", - "Rename a file" : "Rename a file", - "Delete a file" : "Delete a file", - "Favorite or remove a file from favorites" : "Favorite or remove a file from favorites", - "Manage tags for a file" : "Manage tags for a file", + "File actions" : "File actions", + "Rename" : "تغییرنام", + "Delete" : "حذف", + "Manage tags" : "مدیریت برچسب ها", "Selection" : "انتخاب", "Select all files" : "Select all files", - "Deselect all files" : "Deselect all files", - "Select or deselect a file" : "Select or deselect a file", - "Select a range of files" : "Select a range of files", + "Deselect all" : "لغو انتخاب همه", "Navigation" : "جهت یابی", - "Navigate to the parent folder" : "Navigate to the parent folder", - "Navigate to the file above" : "Navigate to the file above", - "Navigate to the file below" : "Navigate to the file below", - "Navigate to the file on the left (in grid mode)" : "Navigate to the file on the left (in grid mode)", - "Navigate to the file on the right (in grid mode)" : "Navigate to the file on the right (in grid mode)", "View" : "نمایش", - "Toggle the grid view" : "Toggle the grid view", - "Open the sidebar for a file" : "Open the sidebar for a file", + "Toggle grid view" : "نمای دریچه را تغییر دهید", "Show those shortcuts" : "Show those shortcuts", "You" : "You", "Shared multiple times with different people" : "Shared multiple times with different people", @@ -259,7 +242,6 @@ "Delete files" : "حذف فایلها", "Delete folder" : "حذف پوشه", "Delete folders" : "Delete folders", - "Delete" : "حذف", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["You are about to permanently delete {count} item","You are about to permanently delete {count} items"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["You are about to delete {count} item","You are about to delete {count} items"], "Confirm deletion" : "Confirm deletion", @@ -275,7 +257,6 @@ "The file does not exist anymore" : "The file does not exist anymore", "Choose destination" : "Choose destination", "Copy to {target}" : "رونوشت به {target}", - "Copy" : "رونوشت", "Move to {target}" : "جابجایی به {target}", "Move" : "انتقال", "Move or copy operation failed" : "Move or copy operation failed", @@ -288,8 +269,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "The file should now open on your device. If it doesn't, please check that you have the desktop app installed.", "Retry and close" : "Retry and close", "Open online" : "Open online", - "Rename" : "تغییرنام", - "Open details" : "باز کردن جزئیات", + "Details" : "جزئیات", "View in folder" : "مشاهده در پوشه", "Today" : "امروز", "Last 7 days" : "۷ روز گذشته", @@ -302,7 +282,7 @@ "PDFs" : "PDFs", "Folders" : "Folders", "Audio" : "صدا", - "Photos and images" : "Photos and images", + "Images" : "تصاویر", "Videos" : "فیلم ها ", "Created new folder \"{name}\"" : "Created new folder \"{name}\"", "Unable to initialize the templates directory" : "راه اندازی دایرکتوری الگوها ممکن نیست", @@ -328,7 +308,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "نام \"{newName}\" در پوشه \"{dir}\" به کار رفته است.\nلطفا نام دیگری برگزینید.", "Could not rename \"{oldName}\"" : "تغییر نام \"{oldName}\" ممکن نیست", "This operation is forbidden" : "این عملیات غیرمجاز است", - "This directory is unavailable, please check the logs or contact the administrator" : "پوشه در دسترس نیست، لطفا لاگها را بررسی کنید یا به مدیر سیستم اطلاع دهید", "Storage is temporarily not available" : "ذخیره سازی به طور موقت در دسترس نیست", "Unexpected error: {error}" : "Unexpected error: {error}", "_%n file_::_%n files_" : ["%n فایل","%n فایل"], @@ -380,12 +359,12 @@ "Edit locally" : "ویرایش محلی", "Open" : "باز کردن", "Could not load info for file \"{file}\"" : "بارگیری اطلاعات برای پرونده امکان پذیر نیست \"{file}\"", - "Details" : "جزئیات", "Please select tag(s) to add to the selection" : "لطفاً برچسب(های) را برای افزودن به انتخاب انتخاب کنید", "Apply tag(s) to selection" : "تگ(ها) را در انتخاب اعمال کنید", "Select directory \"{dirName}\"" : "دایرکتوری \"{dirName}\" را انتخاب کنید", "Select file \"{fileName}\"" : "فایل \"{fileName}\" را انتخاب کنید", "Unable to determine date" : "امکان تعیین تاریخ وجود ندارد", + "This directory is unavailable, please check the logs or contact the administrator" : "پوشه در دسترس نیست، لطفا لاگها را بررسی کنید یا به مدیر سیستم اطلاع دهید", "Could not move \"{file}\", target exists" : "انتقال\"{file}\" امکان پذیر نیست ، هدف وجود دارد", "Could not move \"{file}\"" : "پروندهٔ \"{file}\" منتقل نمیشود", "copy" : "کپی", @@ -433,15 +412,24 @@ "Not favored" : "Not favored", "An error occurred while trying to update the tags" : "یک خطا در حین بروزرسانی برچسبها رخ داده است", "Upload (max. %s)" : "آپلود (بیشترین سایز %s)", + "\"{displayName}\" action executed successfully" : "عملکرد \"{displayName}\" با موفقیت اجرا شد", + "\"{displayName}\" action failed" : "اقدام \"{displayName}\" ناموفق بود", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" failed on some elements", + "\"{displayName}\" batch action executed successfully" : "عملکرد دستهای \"{displayName}\" با موفقیت اجرا شد", "Submitting fields…" : "Submitting fields…", "Filter filenames…" : "Filter filenames…", + "WebDAV URL copied to clipboard" : "URL WebDAV در کلیپ بورد کپی شد", "Enable the grid view" : "Enable the grid view", + "Enable folder tree" : "Enable folder tree", + "Copy to clipboard" : "کپی به کلیپ بورد", "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", + "Open details" : "باز کردن جزئیات", + "Photos and images" : "Photos and images", "New folder creation cancelled" : "New folder creation cancelled", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} پوشه","{folderCount} پوشه"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} پرونده","{fileCount} پرونده"], @@ -455,6 +443,24 @@ "%1$s (renamed)" : "%1$s (renamed)", "renamed file" : "renamed file", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner.", - "Filter file names …" : "Filter file names …" + "Filter file names …" : "Filter file names …", + "Prevent warning dialogs from open or reenable them." : "Prevent warning dialogs from open or reenable them.", + "Show a warning dialog when changing a file extension." : "Show a warning dialog when changing a file extension.", + "Speed up your Files experience with these quick shortcuts." : "Speed up your Files experience with these quick shortcuts.", + "Open the actions menu for a file" : "Open the actions menu for a file", + "Rename a file" : "Rename a file", + "Delete a file" : "Delete a file", + "Favorite or remove a file from favorites" : "Favorite or remove a file from favorites", + "Manage tags for a file" : "Manage tags for a file", + "Deselect all files" : "Deselect all files", + "Select or deselect a file" : "Select or deselect a file", + "Select a range of files" : "Select a range of files", + "Navigate to the parent folder" : "Navigate to the parent folder", + "Navigate to the file above" : "Navigate to the file above", + "Navigate to the file below" : "Navigate to the file below", + "Navigate to the file on the left (in grid mode)" : "Navigate to the file on the left (in grid mode)", + "Navigate to the file on the right (in grid mode)" : "Navigate to the file on the right (in grid mode)", + "Toggle the grid view" : "Toggle the grid view", + "Open the sidebar for a file" : "Open the sidebar for a file" },"pluralForm" :"nplurals=2; plural=(n > 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/fi.js b/apps/files/l10n/fi.js index 3ab54c0791b..cb790b7cedb 100644 --- a/apps/files/l10n/fi.js +++ b/apps/files/l10n/fi.js @@ -103,7 +103,6 @@ OC.L10N.register( "Name" : "Nimi", "File type" : "Tiedoston tyyppi", "Size" : "Koko", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" massatoiminto suoritettu", "Actions" : "Toiminnot", "(selected)" : "(valittu)", "List of files and folders." : "Luettelo tiedostoista ja kansioista.", @@ -111,7 +110,6 @@ OC.L10N.register( "Column headers with buttons are sortable." : "Painikkeilla varustetut sarakeotsikot ovat järjestettävissä.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Tätä luetteloa ei ole esitetty täysin suorituskykyyn liittyvistä syistä. Tiedostot esitetään sitä mukaa, kun selaat luetteloa.", "File not found" : "Tiedostoa ei löytynyt", - "Search globally" : "Hae globaalisti", "{usedQuotaByte} used" : "{usedQuotaByte} käytetty", "{used} of {quota} used" : "{used}/{quota} käytetty", "{relative}% used" : "{relative} % käytetty", @@ -166,34 +164,31 @@ OC.L10N.register( "File cannot be accessed" : "Tiedostoa ei voi käyttää", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Tiedostoa ei löytynyt tai oikeutesi eivät riitä sen katseluun. Pyydä lähettäjää jakamaan se.", "Clipboard is not available" : "Leikepöytä ei ole käytettävissä", - "WebDAV URL copied to clipboard" : "WebDAV-osoite kopioitu leikepöydälle", + "General" : "Yleiset", "All files" : "Kaikki tiedostot", "Personal files" : "Henkilökohtaiset tiedostot", "Sort favorites first" : "Järjestä suosikit ensiksi", "Sort folders before files" : "Järjestä kansiot ennen tiedostoja", - "Enable folder tree" : "Ota kansiopuu käyttöön", + "Appearance" : "Ulkoasu", "Show hidden files" : "Näytä piilotetut tiedostot", "Show file type column" : "Näytä tiedostotyypin sarake", "Crop image previews" : "Rajaa kuvien esikatseluja", "Additional settings" : "Lisäasetukset", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV:in URL-osoite", - "Copy to clipboard" : "Kopioi leikepöydälle", + "Copy" : "Kopioi", "Warnings" : "Varoitukset", "Keyboard shortcuts" : "Pikanäppäimet", - "Speed up your Files experience with these quick shortcuts." : "Nopeuta tiedostonhallinnan kokemusta näillä pikanäppäimillä.", - "Open the actions menu for a file" : "Avaa tiedoston toimintovalikko", - "Rename a file" : "Nimeä tiedosto uudelleen", - "Delete a file" : "Poista tiedosto", - "Favorite or remove a file from favorites" : "Lisää tai poista tiedosto suosikeista", - "Manage tags for a file" : "Hallinnoi tiedosto tunnisteita", + "File actions" : "Tiedostotoiminnot", + "Rename" : "Nimeä uudelleen", + "Delete" : "Poista", + "Manage tags" : "Hallitse tunnisteita", "Selection" : "Valinta", "Select all files" : "Valitse kaikki tiedostot", - "Deselect all files" : "Poista kaikkien tiedostojen valinta", - "Select or deselect a file" : "Valitse tiedosto tai poista sen valinta", + "Deselect all" : "Poista valinnat", "Navigation" : "Navigointi", "View" : "Näytä", - "Open the sidebar for a file" : "Avaa tiedoston sivupalkki", + "Toggle grid view" : "Ruudukkonäkymä päälle/pois", "You" : "Sinä", "Shared multiple times with different people" : "Jaettu useita kertoja eri ihmisten kanssa", "Error while loading the file data" : "Virhe tiedostoa ladatessa", @@ -227,7 +222,6 @@ OC.L10N.register( "Delete files" : "Poista tiedostot", "Delete folder" : "Poista kansio", "Delete folders" : "Poista kansio", - "Delete" : "Poista", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Olet poistamassa {count} kohteen lopullisesti","Olet poistamassa {count} kohdetta lopullisesti"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Olet poistamassa {count} kohteen","Olet poistamassa {count} kohdetta"], "Confirm deletion" : "Vahvista poistaminen", @@ -243,7 +237,6 @@ OC.L10N.register( "The file does not exist anymore" : "Tiedostoa ei ole enää olemassa", "Choose destination" : "Valitse kohde", "Copy to {target}" : "Kopioi kohteeseen {target}", - "Copy" : "Kopioi", "Move to {target}" : "Siirrä kohteeseen {target}", "Move" : "Siirrä", "Move or copy operation failed" : "Siirto- tai kopiointitoiminto epäonnistui", @@ -254,8 +247,7 @@ OC.L10N.register( "Failed to redirect to client" : "Uudelleenohjaus asiakkaaseen epäonnistui", "Open file locally" : "Avaa tiedosto paikallisesti", "Retry and close" : "Yritä uudelleen ja sulje", - "Rename" : "Nimeä uudelleen", - "Open details" : "Avaa yksityiskohdat", + "Details" : "Tiedot", "View in folder" : "Näe kansiossa", "Today" : "Tänään", "Last 7 days" : "Edelliset 7 päivää", @@ -268,7 +260,7 @@ OC.L10N.register( "PDFs" : "PDF-tiedostot", "Folders" : "Kansiot", "Audio" : "Ääni", - "Photos and images" : "Valokuvat ja kuvat", + "Images" : "Kuvat", "Videos" : "Videot", "Created new folder \"{name}\"" : "Luotu uusi kansio \"{name}\"", "Unable to initialize the templates directory" : "Mallipohjien kansiota ei voitu alustaa", @@ -293,7 +285,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Nimi \"{newName}\" on jo käytössä kansiossa \"{dir}\". Valitse toinen nimi.", "Could not rename \"{oldName}\"" : "Ei voitu nimetä uudelleen \"{oldName}\"", "This operation is forbidden" : "Tämä toiminto on kielletty", - "This directory is unavailable, please check the logs or contact the administrator" : "Hakemisto ei ole käytettävissä. Tarkista lokit tai ole yhteydessä ylläpitoon.", "Storage is temporarily not available" : "Tallennustila on tilapäisesti pois käytöstä", "Unexpected error: {error}" : "Odottamaton virhe: {error}", "_%n file_::_%n files_" : ["%n tiedosto","%n tiedostoa"], @@ -344,12 +335,12 @@ OC.L10N.register( "Edit locally" : "Muokkaa paikallisesti", "Open" : "Avaa", "Could not load info for file \"{file}\"" : "Ei voida ladata tiedoston \"{file}\" tietoja", - "Details" : "Tiedot", "Please select tag(s) to add to the selection" : "Valitse lisättävät tunnisteet valinnalle", "Apply tag(s) to selection" : "Hyväksy tunnisteet valinnalle", "Select directory \"{dirName}\"" : "Valitse kansio \"{dirName}\"", "Select file \"{fileName}\"" : "Valitse tiedosto \"{fileName}\"", "Unable to determine date" : "Päivämäärän määrittäminen epäonnistui", + "This directory is unavailable, please check the logs or contact the administrator" : "Hakemisto ei ole käytettävissä. Tarkista lokit tai ole yhteydessä ylläpitoon.", "Could not move \"{file}\", target exists" : "Tiedoston \"{file}\" siirtäminen ei onnistunut, kohde on olemassa", "Could not move \"{file}\"" : "Tiedoston \"{file}\" siirtäminen ei onnistunut", "copy" : "kopio", @@ -394,14 +385,20 @@ OC.L10N.register( "Upload file" : "Lähetä tiedosto", "An error occurred while trying to update the tags" : "Tunnisteiden päivitystä yrittäessä tapahtui virhe", "Upload (max. %s)" : "Lähetys (enintään %s)", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" massatoiminto suoritettu", "Submitting fields…" : "Lähetetään tietoja...", "Filter filenames…" : "Suodata tiedostonimiä...", + "WebDAV URL copied to clipboard" : "WebDAV-osoite kopioitu leikepöydälle", "Enable the grid view" : "Käytä ruudukkonäkymää", + "Enable folder tree" : "Ota kansiopuu käyttöön", + "Copy to clipboard" : "Kopioi leikepöydälle", "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", + "Open details" : "Avaa yksityiskohdat", + "Photos and images" : "Valokuvat ja kuvat", "New folder creation cancelled" : "Kansion luominen peruttu", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} kansio","{folderCount} kansiota"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} tiedosto","{fileCount} tiedostoa"], @@ -413,6 +410,15 @@ OC.L10N.register( "Text file" : "Tekstitiedosto", "New text file.txt" : "Uusi tekstitiedosto.txt", "%1$s (renamed)" : "%1$s (nimetty uudelleen)", - "Filter file names …" : "Suodata tiedostonimiä…" + "Filter file names …" : "Suodata tiedostonimiä…", + "Speed up your Files experience with these quick shortcuts." : "Nopeuta tiedostonhallinnan kokemusta näillä pikanäppäimillä.", + "Open the actions menu for a file" : "Avaa tiedoston toimintovalikko", + "Rename a file" : "Nimeä tiedosto uudelleen", + "Delete a file" : "Poista tiedosto", + "Favorite or remove a file from favorites" : "Lisää tai poista tiedosto suosikeista", + "Manage tags for a file" : "Hallinnoi tiedosto tunnisteita", + "Deselect all files" : "Poista kaikkien tiedostojen valinta", + "Select or deselect a file" : "Valitse tiedosto tai poista sen valinta", + "Open the sidebar for a file" : "Avaa tiedoston sivupalkki" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/fi.json b/apps/files/l10n/fi.json index e717b105e3f..82e7f7f4985 100644 --- a/apps/files/l10n/fi.json +++ b/apps/files/l10n/fi.json @@ -101,7 +101,6 @@ "Name" : "Nimi", "File type" : "Tiedoston tyyppi", "Size" : "Koko", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" massatoiminto suoritettu", "Actions" : "Toiminnot", "(selected)" : "(valittu)", "List of files and folders." : "Luettelo tiedostoista ja kansioista.", @@ -109,7 +108,6 @@ "Column headers with buttons are sortable." : "Painikkeilla varustetut sarakeotsikot ovat järjestettävissä.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Tätä luetteloa ei ole esitetty täysin suorituskykyyn liittyvistä syistä. Tiedostot esitetään sitä mukaa, kun selaat luetteloa.", "File not found" : "Tiedostoa ei löytynyt", - "Search globally" : "Hae globaalisti", "{usedQuotaByte} used" : "{usedQuotaByte} käytetty", "{used} of {quota} used" : "{used}/{quota} käytetty", "{relative}% used" : "{relative} % käytetty", @@ -164,34 +162,31 @@ "File cannot be accessed" : "Tiedostoa ei voi käyttää", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Tiedostoa ei löytynyt tai oikeutesi eivät riitä sen katseluun. Pyydä lähettäjää jakamaan se.", "Clipboard is not available" : "Leikepöytä ei ole käytettävissä", - "WebDAV URL copied to clipboard" : "WebDAV-osoite kopioitu leikepöydälle", + "General" : "Yleiset", "All files" : "Kaikki tiedostot", "Personal files" : "Henkilökohtaiset tiedostot", "Sort favorites first" : "Järjestä suosikit ensiksi", "Sort folders before files" : "Järjestä kansiot ennen tiedostoja", - "Enable folder tree" : "Ota kansiopuu käyttöön", + "Appearance" : "Ulkoasu", "Show hidden files" : "Näytä piilotetut tiedostot", "Show file type column" : "Näytä tiedostotyypin sarake", "Crop image previews" : "Rajaa kuvien esikatseluja", "Additional settings" : "Lisäasetukset", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV:in URL-osoite", - "Copy to clipboard" : "Kopioi leikepöydälle", + "Copy" : "Kopioi", "Warnings" : "Varoitukset", "Keyboard shortcuts" : "Pikanäppäimet", - "Speed up your Files experience with these quick shortcuts." : "Nopeuta tiedostonhallinnan kokemusta näillä pikanäppäimillä.", - "Open the actions menu for a file" : "Avaa tiedoston toimintovalikko", - "Rename a file" : "Nimeä tiedosto uudelleen", - "Delete a file" : "Poista tiedosto", - "Favorite or remove a file from favorites" : "Lisää tai poista tiedosto suosikeista", - "Manage tags for a file" : "Hallinnoi tiedosto tunnisteita", + "File actions" : "Tiedostotoiminnot", + "Rename" : "Nimeä uudelleen", + "Delete" : "Poista", + "Manage tags" : "Hallitse tunnisteita", "Selection" : "Valinta", "Select all files" : "Valitse kaikki tiedostot", - "Deselect all files" : "Poista kaikkien tiedostojen valinta", - "Select or deselect a file" : "Valitse tiedosto tai poista sen valinta", + "Deselect all" : "Poista valinnat", "Navigation" : "Navigointi", "View" : "Näytä", - "Open the sidebar for a file" : "Avaa tiedoston sivupalkki", + "Toggle grid view" : "Ruudukkonäkymä päälle/pois", "You" : "Sinä", "Shared multiple times with different people" : "Jaettu useita kertoja eri ihmisten kanssa", "Error while loading the file data" : "Virhe tiedostoa ladatessa", @@ -225,7 +220,6 @@ "Delete files" : "Poista tiedostot", "Delete folder" : "Poista kansio", "Delete folders" : "Poista kansio", - "Delete" : "Poista", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Olet poistamassa {count} kohteen lopullisesti","Olet poistamassa {count} kohdetta lopullisesti"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Olet poistamassa {count} kohteen","Olet poistamassa {count} kohdetta"], "Confirm deletion" : "Vahvista poistaminen", @@ -241,7 +235,6 @@ "The file does not exist anymore" : "Tiedostoa ei ole enää olemassa", "Choose destination" : "Valitse kohde", "Copy to {target}" : "Kopioi kohteeseen {target}", - "Copy" : "Kopioi", "Move to {target}" : "Siirrä kohteeseen {target}", "Move" : "Siirrä", "Move or copy operation failed" : "Siirto- tai kopiointitoiminto epäonnistui", @@ -252,8 +245,7 @@ "Failed to redirect to client" : "Uudelleenohjaus asiakkaaseen epäonnistui", "Open file locally" : "Avaa tiedosto paikallisesti", "Retry and close" : "Yritä uudelleen ja sulje", - "Rename" : "Nimeä uudelleen", - "Open details" : "Avaa yksityiskohdat", + "Details" : "Tiedot", "View in folder" : "Näe kansiossa", "Today" : "Tänään", "Last 7 days" : "Edelliset 7 päivää", @@ -266,7 +258,7 @@ "PDFs" : "PDF-tiedostot", "Folders" : "Kansiot", "Audio" : "Ääni", - "Photos and images" : "Valokuvat ja kuvat", + "Images" : "Kuvat", "Videos" : "Videot", "Created new folder \"{name}\"" : "Luotu uusi kansio \"{name}\"", "Unable to initialize the templates directory" : "Mallipohjien kansiota ei voitu alustaa", @@ -291,7 +283,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Nimi \"{newName}\" on jo käytössä kansiossa \"{dir}\". Valitse toinen nimi.", "Could not rename \"{oldName}\"" : "Ei voitu nimetä uudelleen \"{oldName}\"", "This operation is forbidden" : "Tämä toiminto on kielletty", - "This directory is unavailable, please check the logs or contact the administrator" : "Hakemisto ei ole käytettävissä. Tarkista lokit tai ole yhteydessä ylläpitoon.", "Storage is temporarily not available" : "Tallennustila on tilapäisesti pois käytöstä", "Unexpected error: {error}" : "Odottamaton virhe: {error}", "_%n file_::_%n files_" : ["%n tiedosto","%n tiedostoa"], @@ -342,12 +333,12 @@ "Edit locally" : "Muokkaa paikallisesti", "Open" : "Avaa", "Could not load info for file \"{file}\"" : "Ei voida ladata tiedoston \"{file}\" tietoja", - "Details" : "Tiedot", "Please select tag(s) to add to the selection" : "Valitse lisättävät tunnisteet valinnalle", "Apply tag(s) to selection" : "Hyväksy tunnisteet valinnalle", "Select directory \"{dirName}\"" : "Valitse kansio \"{dirName}\"", "Select file \"{fileName}\"" : "Valitse tiedosto \"{fileName}\"", "Unable to determine date" : "Päivämäärän määrittäminen epäonnistui", + "This directory is unavailable, please check the logs or contact the administrator" : "Hakemisto ei ole käytettävissä. Tarkista lokit tai ole yhteydessä ylläpitoon.", "Could not move \"{file}\", target exists" : "Tiedoston \"{file}\" siirtäminen ei onnistunut, kohde on olemassa", "Could not move \"{file}\"" : "Tiedoston \"{file}\" siirtäminen ei onnistunut", "copy" : "kopio", @@ -392,14 +383,20 @@ "Upload file" : "Lähetä tiedosto", "An error occurred while trying to update the tags" : "Tunnisteiden päivitystä yrittäessä tapahtui virhe", "Upload (max. %s)" : "Lähetys (enintään %s)", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" massatoiminto suoritettu", "Submitting fields…" : "Lähetetään tietoja...", "Filter filenames…" : "Suodata tiedostonimiä...", + "WebDAV URL copied to clipboard" : "WebDAV-osoite kopioitu leikepöydälle", "Enable the grid view" : "Käytä ruudukkonäkymää", + "Enable folder tree" : "Ota kansiopuu käyttöön", + "Copy to clipboard" : "Kopioi leikepöydälle", "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", + "Open details" : "Avaa yksityiskohdat", + "Photos and images" : "Valokuvat ja kuvat", "New folder creation cancelled" : "Kansion luominen peruttu", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} kansio","{folderCount} kansiota"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} tiedosto","{fileCount} tiedostoa"], @@ -411,6 +408,15 @@ "Text file" : "Tekstitiedosto", "New text file.txt" : "Uusi tekstitiedosto.txt", "%1$s (renamed)" : "%1$s (nimetty uudelleen)", - "Filter file names …" : "Suodata tiedostonimiä…" + "Filter file names …" : "Suodata tiedostonimiä…", + "Speed up your Files experience with these quick shortcuts." : "Nopeuta tiedostonhallinnan kokemusta näillä pikanäppäimillä.", + "Open the actions menu for a file" : "Avaa tiedoston toimintovalikko", + "Rename a file" : "Nimeä tiedosto uudelleen", + "Delete a file" : "Poista tiedosto", + "Favorite or remove a file from favorites" : "Lisää tai poista tiedosto suosikeista", + "Manage tags for a file" : "Hallinnoi tiedosto tunnisteita", + "Deselect all files" : "Poista kaikkien tiedostojen valinta", + "Select or deselect a file" : "Valitse tiedosto tai poista sen valinta", + "Open the sidebar for a file" : "Avaa tiedoston sivupalkki" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/fr.js b/apps/files/l10n/fr.js index a3a1aad8d67..a96eb527d98 100644 --- a/apps/files/l10n/fr.js +++ b/apps/files/l10n/fr.js @@ -115,9 +115,6 @@ OC.L10N.register( "Name" : "Nom", "File type" : "Type de fichier", "Size" : "Taille", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" a échoué pour certains éléments", - "\"{displayName}\" batch action executed successfully" : "L’action « {displayName} » par lot a été exécutée avec succès", - "\"{displayName}\" action failed" : "Échec de l'action \"{displayName}\"", "Actions" : "Actions", "(selected)" : "(sélectionné)", "List of files and folders." : "Liste des fichiers et dossiers.", @@ -126,9 +123,6 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Cette liste n'est pas entièrement affichée pour des raisons de performances. Les fichiers seront affichés au fur et à mesure que vous naviguerez dans la liste.", "File not found" : "Fichier non trouvé", "_{count} selected_::_{count} selected_" : ["{count} sélectionné","{count} sélectionné(s)","{count} sélectionné(s)"], - "Search globally by filename …" : "Rechercher globalement par nom de fichier…", - "Search here by filename …" : "Recherchez ici par nom de fichier…", - "Search globally" : "Rechercher partout", "{usedQuotaByte} used" : "{usedQuotaByte} utilisés", "{used} of {quota} used" : "{used} utilisés sur {quota}", "{relative}% used" : "{relative}% utilisés", @@ -177,7 +171,6 @@ OC.L10N.register( "Error during upload: {message}" : "Erreur lors du téléversement : {message}", "Error during upload, status code {status}" : "Erreur lors du téléversement, code d'état {status}", "Unknown error during upload" : "Erreur inconnue lors du téléversement", - "\"{displayName}\" action executed successfully" : "Action \"{displayName}\" exécutée avec succès", "Loading current folder" : "Chargement du dossier courant", "Retry" : "Réessayer", "No files in here" : "Aucun fichier", @@ -191,44 +184,32 @@ OC.L10N.register( "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Le fichier n'a pas été trouv ou vous n'avez pas les permissions pour le voir. Demandez à l'expéditeur de le partager.", "No search results for “{query}”" : "Aucun résultat de recherche pour “{query}”", "Clipboard is not available" : "Le presse-papiers n'est pas disponible", - "WebDAV URL copied to clipboard" : "URL WebDAV copiée dans le presse-papier", + "General" : "Général", "Default view" : "Vue par défaut", "All files" : "Tous les fichiers", "Personal files" : "Fichiers personnels", "Sort favorites first" : "Trier les favoris en premier", "Sort folders before files" : "Trier les dossiers avant les fichiers", - "Enable folder tree" : "Activer l'arborescence des dossiers", + "Appearance" : "Apparence", "Show hidden files" : "Montrer les fichiers masqués", "Show file type column" : "Afficher la colonne du type de fichier", "Crop image previews" : "Afficher en miniatures carrées", "Additional settings" : "Paramètres supplémentaires", "WebDAV" : "WebDAV", "WebDAV URL" : "URL WebDAV", - "Copy to clipboard" : "Copier dans le presse-papiers", + "Copy" : "Copier", "Warnings" : "Avertissements", - "Prevent warning dialogs from open or reenable them." : "Empêchez l'ouverture des boîtes de dialogue d'avertissement ou réactivez-les.", - "Show a warning dialog when changing a file extension." : "Afficher un avertissement quand l'extension du fichier est modifiée.", "Keyboard shortcuts" : "Raccourcis clavier", - "Speed up your Files experience with these quick shortcuts." : "Accélérez votre expérience Fichiers avec ces raccourcis rapides.", - "Open the actions menu for a file" : "Ouvrir le menu d'actions pour un fichier", - "Rename a file" : "Renommer un fichier", - "Delete a file" : "Supprimer un fichier", - "Favorite or remove a file from favorites" : "Ajouter ou supprimer un fichier des favoris", - "Manage tags for a file" : "Gérer les étiquettes pour un fichier", + "File actions" : "Actions de fichiers", + "Rename" : "Renommer", + "Delete" : "Supprimer", + "Manage tags" : "Gérer les étiquettes", "Selection" : "Choix", "Select all files" : "Sélectionner tous les fichiers", - "Deselect all files" : "Désélectionner tous les fichiers", - "Select or deselect a file" : "Sélectionner ou désélectionner un fichier", - "Select a range of files" : "Sélectionner une série de fichiers", + "Deselect all" : "Tout désélectionner", "Navigation" : "Navigation", - "Navigate to the parent folder" : "Naviguer vers le dossier parent", - "Navigate to the file above" : "Naviguer vers le fichier au-dessus", - "Navigate to the file below" : "Naviguer vers le fichier en-dessous", - "Navigate to the file on the left (in grid mode)" : "Naviguer vers le fichier à gauche (en mode grille)", - "Navigate to the file on the right (in grid mode)" : "Naviguer vers le fichier à droite (en mode grille)", "View" : "Voir", - "Toggle the grid view" : "Activer/Désactiver la vue grille", - "Open the sidebar for a file" : "Ouvrir la barre latérale pour un fichier", + "Toggle grid view" : "Activer/Désactiver l'affichage mosaïque", "Show those shortcuts" : "Montrer ces raccourcis", "You" : "Vous", "Shared multiple times with different people" : "Partagé plusieurs fois avec plusieurs personnes", @@ -267,7 +248,6 @@ OC.L10N.register( "Delete files" : "Supprimer les fichiers", "Delete folder" : "Supprimer ce dossier", "Delete folders" : "Supprimer ces dossiers", - "Delete" : "Supprimer", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Vous êtes sur le point de supprimer définitivement {count} élément","Vous êtes sur le point de supprimer définitivement {count} éléments","Vous êtes sur le point de supprimer définitivement {count} éléments"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Vous êtes sur le point de supprimer {count} élément","Vous êtes sur le point de supprimer {count} éléments","Vous êtes sur le point de supprimer {count} éléments"], "Confirm deletion" : "Confirmer la suppression", @@ -285,7 +265,6 @@ OC.L10N.register( "The file does not exist anymore" : "Le fichier n'existe plus", "Choose destination" : "Choisir la destination", "Copy to {target}" : "Copier vers {target}", - "Copy" : "Copier", "Move to {target}" : "Déplacer vers {target}", "Move" : "Déplacer", "Move or copy operation failed" : "L'opération de copie ou de déplacement a échoué", @@ -298,8 +277,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Le fichier devrait maintenant s'ouvrir sur votre appareil. Si ce n'est pas le cas, vérifiez que vous avez installé l'application de bureau.", "Retry and close" : "Réessayer et fermer", "Open online" : "Ouvrir en ligne", - "Rename" : "Renommer", - "Open details" : "Ouvrir les détails", + "Details" : "Détails", "View in folder" : "Afficher dans le dossier", "Today" : "Aujourd’hui", "Last 7 days" : "7 derniers jours", @@ -312,7 +290,7 @@ OC.L10N.register( "PDFs" : "PDFs", "Folders" : "Dossiers", "Audio" : "Audio", - "Photos and images" : "Photos et images", + "Images" : "Images", "Videos" : "Vidéos", "Created new folder \"{name}\"" : "Nouveau dossier \"{name}\" créé", "Unable to initialize the templates directory" : "Impossible d'initialiser le dossier des modèles", @@ -338,7 +316,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Le nom \"{newName}\" est déjà utilisé dans le dossier \"{dir}\". Veuillez choisir un autre nom.", "Could not rename \"{oldName}\"" : "Impossible de renommer \"{oldName}\"", "This operation is forbidden" : "Cette opération est interdite", - "This directory is unavailable, please check the logs or contact the administrator" : "Ce répertoire est indisponible, merci de consulter les journaux ou de contacter votre administrateur", "Storage is temporarily not available" : "Le support de stockage est temporairement indisponible", "Unexpected error: {error}" : "Erreur inattendue: {error}", "_%n file_::_%n files_" : ["%n fichier","%n fichiers","%n fichiers"], @@ -391,12 +368,12 @@ OC.L10N.register( "Edit locally" : "Éditer localement", "Open" : "Ouvrir", "Could not load info for file \"{file}\"" : "Impossible de charger les informations du fichier \"{file}\"", - "Details" : "Détails", "Please select tag(s) to add to the selection" : "Veuillez sélectionner la ou les étiquette(s) à ajouter à la sélection", "Apply tag(s) to selection" : "Appliquer la ou les étiquette(s) à la sélection", "Select directory \"{dirName}\"" : "Sélectionner le dossier \"{dirName}\"", "Select file \"{fileName}\"" : "Sélectionner le fichier \"{fileName}\"", "Unable to determine date" : "Impossible de déterminer la date", + "This directory is unavailable, please check the logs or contact the administrator" : "Ce répertoire est indisponible, merci de consulter les journaux ou de contacter votre administrateur", "Could not move \"{file}\", target exists" : "Impossible de déplacer « {file} », la cible existe", "Could not move \"{file}\"" : "Impossible de déplacer \"{file}\"", "copy" : "copie", @@ -444,15 +421,24 @@ OC.L10N.register( "Not favored" : "Non favoris", "An error occurred while trying to update the tags" : "Une erreur est survenue lors de la mise à jour des étiquettes", "Upload (max. %s)" : "Envoi (max. %s)", + "\"{displayName}\" action executed successfully" : "Action \"{displayName}\" exécutée avec succès", + "\"{displayName}\" action failed" : "Échec de l'action \"{displayName}\"", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" a échoué pour certains éléments", + "\"{displayName}\" batch action executed successfully" : "L’action « {displayName} » par lot a été exécutée avec succès", "Submitting fields…" : "Validation des champs...", "Filter filenames…" : "Filtrer par nom de fichier…", + "WebDAV URL copied to clipboard" : "URL WebDAV copiée dans le presse-papier", "Enable the grid view" : "Activer la vue en grille", + "Enable folder tree" : "Activer l'arborescence des dossiers", + "Copy to clipboard" : "Copier dans le presse-papiers", "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", + "Open details" : "Ouvrir les détails", + "Photos and images" : "Photos et images", "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"], @@ -466,6 +452,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (renommé)", "renamed file" : "fichier renommé", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Après avoir activé les noms de fichiers compatibles Windows, les fichiers existants ne peuvent plus être modifiés, mais peuvent être renommés avec des noms valides par leur propriétaire.", - "Filter file names …" : "Filtrer les noms de fichier…" + "Filter file names …" : "Filtrer les noms de fichier…", + "Prevent warning dialogs from open or reenable them." : "Empêchez l'ouverture des boîtes de dialogue d'avertissement ou réactivez-les.", + "Show a warning dialog when changing a file extension." : "Afficher un avertissement quand l'extension du fichier est modifiée.", + "Speed up your Files experience with these quick shortcuts." : "Accélérez votre expérience Fichiers avec ces raccourcis rapides.", + "Open the actions menu for a file" : "Ouvrir le menu d'actions pour un fichier", + "Rename a file" : "Renommer un fichier", + "Delete a file" : "Supprimer un fichier", + "Favorite or remove a file from favorites" : "Ajouter ou supprimer un fichier des favoris", + "Manage tags for a file" : "Gérer les étiquettes pour un fichier", + "Deselect all files" : "Désélectionner tous les fichiers", + "Select or deselect a file" : "Sélectionner ou désélectionner un fichier", + "Select a range of files" : "Sélectionner une série de fichiers", + "Navigate to the parent folder" : "Naviguer vers le dossier parent", + "Navigate to the file above" : "Naviguer vers le fichier au-dessus", + "Navigate to the file below" : "Naviguer vers le fichier en-dessous", + "Navigate to the file on the left (in grid mode)" : "Naviguer vers le fichier à gauche (en mode grille)", + "Navigate to the file on the right (in grid mode)" : "Naviguer vers le fichier à droite (en mode grille)", + "Toggle the grid view" : "Activer/Désactiver la vue grille", + "Open the sidebar for a file" : "Ouvrir la barre latérale pour un fichier" }, "nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/files/l10n/fr.json b/apps/files/l10n/fr.json index 49747d7cfd5..47535f24491 100644 --- a/apps/files/l10n/fr.json +++ b/apps/files/l10n/fr.json @@ -113,9 +113,6 @@ "Name" : "Nom", "File type" : "Type de fichier", "Size" : "Taille", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" a échoué pour certains éléments", - "\"{displayName}\" batch action executed successfully" : "L’action « {displayName} » par lot a été exécutée avec succès", - "\"{displayName}\" action failed" : "Échec de l'action \"{displayName}\"", "Actions" : "Actions", "(selected)" : "(sélectionné)", "List of files and folders." : "Liste des fichiers et dossiers.", @@ -124,9 +121,6 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Cette liste n'est pas entièrement affichée pour des raisons de performances. Les fichiers seront affichés au fur et à mesure que vous naviguerez dans la liste.", "File not found" : "Fichier non trouvé", "_{count} selected_::_{count} selected_" : ["{count} sélectionné","{count} sélectionné(s)","{count} sélectionné(s)"], - "Search globally by filename …" : "Rechercher globalement par nom de fichier…", - "Search here by filename …" : "Recherchez ici par nom de fichier…", - "Search globally" : "Rechercher partout", "{usedQuotaByte} used" : "{usedQuotaByte} utilisés", "{used} of {quota} used" : "{used} utilisés sur {quota}", "{relative}% used" : "{relative}% utilisés", @@ -175,7 +169,6 @@ "Error during upload: {message}" : "Erreur lors du téléversement : {message}", "Error during upload, status code {status}" : "Erreur lors du téléversement, code d'état {status}", "Unknown error during upload" : "Erreur inconnue lors du téléversement", - "\"{displayName}\" action executed successfully" : "Action \"{displayName}\" exécutée avec succès", "Loading current folder" : "Chargement du dossier courant", "Retry" : "Réessayer", "No files in here" : "Aucun fichier", @@ -189,44 +182,32 @@ "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Le fichier n'a pas été trouv ou vous n'avez pas les permissions pour le voir. Demandez à l'expéditeur de le partager.", "No search results for “{query}”" : "Aucun résultat de recherche pour “{query}”", "Clipboard is not available" : "Le presse-papiers n'est pas disponible", - "WebDAV URL copied to clipboard" : "URL WebDAV copiée dans le presse-papier", + "General" : "Général", "Default view" : "Vue par défaut", "All files" : "Tous les fichiers", "Personal files" : "Fichiers personnels", "Sort favorites first" : "Trier les favoris en premier", "Sort folders before files" : "Trier les dossiers avant les fichiers", - "Enable folder tree" : "Activer l'arborescence des dossiers", + "Appearance" : "Apparence", "Show hidden files" : "Montrer les fichiers masqués", "Show file type column" : "Afficher la colonne du type de fichier", "Crop image previews" : "Afficher en miniatures carrées", "Additional settings" : "Paramètres supplémentaires", "WebDAV" : "WebDAV", "WebDAV URL" : "URL WebDAV", - "Copy to clipboard" : "Copier dans le presse-papiers", + "Copy" : "Copier", "Warnings" : "Avertissements", - "Prevent warning dialogs from open or reenable them." : "Empêchez l'ouverture des boîtes de dialogue d'avertissement ou réactivez-les.", - "Show a warning dialog when changing a file extension." : "Afficher un avertissement quand l'extension du fichier est modifiée.", "Keyboard shortcuts" : "Raccourcis clavier", - "Speed up your Files experience with these quick shortcuts." : "Accélérez votre expérience Fichiers avec ces raccourcis rapides.", - "Open the actions menu for a file" : "Ouvrir le menu d'actions pour un fichier", - "Rename a file" : "Renommer un fichier", - "Delete a file" : "Supprimer un fichier", - "Favorite or remove a file from favorites" : "Ajouter ou supprimer un fichier des favoris", - "Manage tags for a file" : "Gérer les étiquettes pour un fichier", + "File actions" : "Actions de fichiers", + "Rename" : "Renommer", + "Delete" : "Supprimer", + "Manage tags" : "Gérer les étiquettes", "Selection" : "Choix", "Select all files" : "Sélectionner tous les fichiers", - "Deselect all files" : "Désélectionner tous les fichiers", - "Select or deselect a file" : "Sélectionner ou désélectionner un fichier", - "Select a range of files" : "Sélectionner une série de fichiers", + "Deselect all" : "Tout désélectionner", "Navigation" : "Navigation", - "Navigate to the parent folder" : "Naviguer vers le dossier parent", - "Navigate to the file above" : "Naviguer vers le fichier au-dessus", - "Navigate to the file below" : "Naviguer vers le fichier en-dessous", - "Navigate to the file on the left (in grid mode)" : "Naviguer vers le fichier à gauche (en mode grille)", - "Navigate to the file on the right (in grid mode)" : "Naviguer vers le fichier à droite (en mode grille)", "View" : "Voir", - "Toggle the grid view" : "Activer/Désactiver la vue grille", - "Open the sidebar for a file" : "Ouvrir la barre latérale pour un fichier", + "Toggle grid view" : "Activer/Désactiver l'affichage mosaïque", "Show those shortcuts" : "Montrer ces raccourcis", "You" : "Vous", "Shared multiple times with different people" : "Partagé plusieurs fois avec plusieurs personnes", @@ -265,7 +246,6 @@ "Delete files" : "Supprimer les fichiers", "Delete folder" : "Supprimer ce dossier", "Delete folders" : "Supprimer ces dossiers", - "Delete" : "Supprimer", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Vous êtes sur le point de supprimer définitivement {count} élément","Vous êtes sur le point de supprimer définitivement {count} éléments","Vous êtes sur le point de supprimer définitivement {count} éléments"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Vous êtes sur le point de supprimer {count} élément","Vous êtes sur le point de supprimer {count} éléments","Vous êtes sur le point de supprimer {count} éléments"], "Confirm deletion" : "Confirmer la suppression", @@ -283,7 +263,6 @@ "The file does not exist anymore" : "Le fichier n'existe plus", "Choose destination" : "Choisir la destination", "Copy to {target}" : "Copier vers {target}", - "Copy" : "Copier", "Move to {target}" : "Déplacer vers {target}", "Move" : "Déplacer", "Move or copy operation failed" : "L'opération de copie ou de déplacement a échoué", @@ -296,8 +275,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Le fichier devrait maintenant s'ouvrir sur votre appareil. Si ce n'est pas le cas, vérifiez que vous avez installé l'application de bureau.", "Retry and close" : "Réessayer et fermer", "Open online" : "Ouvrir en ligne", - "Rename" : "Renommer", - "Open details" : "Ouvrir les détails", + "Details" : "Détails", "View in folder" : "Afficher dans le dossier", "Today" : "Aujourd’hui", "Last 7 days" : "7 derniers jours", @@ -310,7 +288,7 @@ "PDFs" : "PDFs", "Folders" : "Dossiers", "Audio" : "Audio", - "Photos and images" : "Photos et images", + "Images" : "Images", "Videos" : "Vidéos", "Created new folder \"{name}\"" : "Nouveau dossier \"{name}\" créé", "Unable to initialize the templates directory" : "Impossible d'initialiser le dossier des modèles", @@ -336,7 +314,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Le nom \"{newName}\" est déjà utilisé dans le dossier \"{dir}\". Veuillez choisir un autre nom.", "Could not rename \"{oldName}\"" : "Impossible de renommer \"{oldName}\"", "This operation is forbidden" : "Cette opération est interdite", - "This directory is unavailable, please check the logs or contact the administrator" : "Ce répertoire est indisponible, merci de consulter les journaux ou de contacter votre administrateur", "Storage is temporarily not available" : "Le support de stockage est temporairement indisponible", "Unexpected error: {error}" : "Erreur inattendue: {error}", "_%n file_::_%n files_" : ["%n fichier","%n fichiers","%n fichiers"], @@ -389,12 +366,12 @@ "Edit locally" : "Éditer localement", "Open" : "Ouvrir", "Could not load info for file \"{file}\"" : "Impossible de charger les informations du fichier \"{file}\"", - "Details" : "Détails", "Please select tag(s) to add to the selection" : "Veuillez sélectionner la ou les étiquette(s) à ajouter à la sélection", "Apply tag(s) to selection" : "Appliquer la ou les étiquette(s) à la sélection", "Select directory \"{dirName}\"" : "Sélectionner le dossier \"{dirName}\"", "Select file \"{fileName}\"" : "Sélectionner le fichier \"{fileName}\"", "Unable to determine date" : "Impossible de déterminer la date", + "This directory is unavailable, please check the logs or contact the administrator" : "Ce répertoire est indisponible, merci de consulter les journaux ou de contacter votre administrateur", "Could not move \"{file}\", target exists" : "Impossible de déplacer « {file} », la cible existe", "Could not move \"{file}\"" : "Impossible de déplacer \"{file}\"", "copy" : "copie", @@ -442,15 +419,24 @@ "Not favored" : "Non favoris", "An error occurred while trying to update the tags" : "Une erreur est survenue lors de la mise à jour des étiquettes", "Upload (max. %s)" : "Envoi (max. %s)", + "\"{displayName}\" action executed successfully" : "Action \"{displayName}\" exécutée avec succès", + "\"{displayName}\" action failed" : "Échec de l'action \"{displayName}\"", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" a échoué pour certains éléments", + "\"{displayName}\" batch action executed successfully" : "L’action « {displayName} » par lot a été exécutée avec succès", "Submitting fields…" : "Validation des champs...", "Filter filenames…" : "Filtrer par nom de fichier…", + "WebDAV URL copied to clipboard" : "URL WebDAV copiée dans le presse-papier", "Enable the grid view" : "Activer la vue en grille", + "Enable folder tree" : "Activer l'arborescence des dossiers", + "Copy to clipboard" : "Copier dans le presse-papiers", "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", + "Open details" : "Ouvrir les détails", + "Photos and images" : "Photos et images", "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"], @@ -464,6 +450,24 @@ "%1$s (renamed)" : "%1$s (renommé)", "renamed file" : "fichier renommé", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Après avoir activé les noms de fichiers compatibles Windows, les fichiers existants ne peuvent plus être modifiés, mais peuvent être renommés avec des noms valides par leur propriétaire.", - "Filter file names …" : "Filtrer les noms de fichier…" + "Filter file names …" : "Filtrer les noms de fichier…", + "Prevent warning dialogs from open or reenable them." : "Empêchez l'ouverture des boîtes de dialogue d'avertissement ou réactivez-les.", + "Show a warning dialog when changing a file extension." : "Afficher un avertissement quand l'extension du fichier est modifiée.", + "Speed up your Files experience with these quick shortcuts." : "Accélérez votre expérience Fichiers avec ces raccourcis rapides.", + "Open the actions menu for a file" : "Ouvrir le menu d'actions pour un fichier", + "Rename a file" : "Renommer un fichier", + "Delete a file" : "Supprimer un fichier", + "Favorite or remove a file from favorites" : "Ajouter ou supprimer un fichier des favoris", + "Manage tags for a file" : "Gérer les étiquettes pour un fichier", + "Deselect all files" : "Désélectionner tous les fichiers", + "Select or deselect a file" : "Sélectionner ou désélectionner un fichier", + "Select a range of files" : "Sélectionner une série de fichiers", + "Navigate to the parent folder" : "Naviguer vers le dossier parent", + "Navigate to the file above" : "Naviguer vers le fichier au-dessus", + "Navigate to the file below" : "Naviguer vers le fichier en-dessous", + "Navigate to the file on the left (in grid mode)" : "Naviguer vers le fichier à gauche (en mode grille)", + "Navigate to the file on the right (in grid mode)" : "Naviguer vers le fichier à droite (en mode grille)", + "Toggle the grid view" : "Activer/Désactiver la vue grille", + "Open the sidebar for a file" : "Ouvrir la barre latérale pour un fichier" },"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/l10n/ga.js b/apps/files/l10n/ga.js index 49681b42b19..5078a731823 100644 --- a/apps/files/l10n/ga.js +++ b/apps/files/l10n/ga.js @@ -115,9 +115,6 @@ OC.L10N.register( "Name" : "Ainm", "File type" : "Cineál comhaid", "Size" : "Méid", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" theip ar roinnt gnéithe", - "\"{displayName}\" batch action executed successfully" : "D'éirigh le beart baisce \"{displayName}\" a rith", - "\"{displayName}\" action failed" : "Theip ar an ngníomh \"{displayName}\".", "Actions" : "Gníomhartha", "(selected)" : "(roghnaithe)", "List of files and folders." : "Liosta de chomhaid agus fillteáin.", @@ -126,11 +123,7 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Níl an liosta seo le fáil go hiomlán ar chúiseanna feidhmíochta. Déanfar na comhaid a rindreáil agus tú ag dul tríd an liosta.", "File not found" : "Comhad gan aimsiú", "_{count} selected_::_{count} selected_" : ["{count} roghnaithe","{count} roghnaithe","{count} roghnaithe","{count} roghnaithe","{count} roghnaithe"], - "Search globally by filename …" : "Cuardaigh go domhanda de réir ainm comhaid …", - "Search here by filename …" : "Cuardaigh anseo de réir ainm comhaid …", "Search scope options" : "Roghanna raon feidhme cuardaigh", - "Filter and search from this location" : "Scag agus déan cuardach ón suíomh seo", - "Search globally" : "Cuardaigh go domhanda", "{usedQuotaByte} used" : "{usedQuotaByte} úsáidte", "{used} of {quota} used" : "{used} de {quota} in úsáid", "{relative}% used" : "{relative}% in úsáid", @@ -180,7 +173,6 @@ OC.L10N.register( "Error during upload: {message}" : "Earráid le linn uaslódála: {message}", "Error during upload, status code {status}" : "Earráid le linn uaslódála, cód stádais {status}", "Unknown error during upload" : "Earráid anaithnid le linn uaslódála", - "\"{displayName}\" action executed successfully" : "Cuireadh an gníomh \"{displayName}\" i gcrích go rathúil", "Loading current folder" : "An fillteán reatha á lódáil", "Retry" : "Bain triail eile as", "No files in here" : "Níl aon chomhaid istigh anseo", @@ -195,49 +187,34 @@ OC.L10N.register( "No search results for “{query}”" : "Gan aon torthaí cuardaigh le haghaidh ”{query}”", "Search for files" : "Cuardaigh comhaid", "Clipboard is not available" : "Níl fáil ar an ngearrthaisce", - "WebDAV URL copied to clipboard" : "URL WebDAV cóipeáilte chuig an ngearrthaisce", + "General" : "Ginearálta", "Default view" : "Amharc réamhshocraithe", "All files" : "Gach comhad", "Personal files" : "Comhaid phearsanta", "Sort favorites first" : "Sórtáil na cinn is ansa leat ar dtús", "Sort folders before files" : "Sórtáil fillteáin roimh chomhaid", - "Enable folder tree" : "Cumasaigh crann fillteáin", - "Visual settings" : "Socruithe amhairc", + "Folder tree" : "Crann fillteán", + "Appearance" : "Dealramh", "Show hidden files" : "Taispeáin comhaid i bhfolach", "Show file type column" : "Taispeáin colún cineál comhaid", "Crop image previews" : "Réamhamhairc íomhá barr", - "Show files extensions" : "Taispeáin síntí comhad", "Additional settings" : "Socruithe breise", "WebDAV" : "WebDAV", "WebDAV URL" : "URL WebDAV", - "Copy to clipboard" : "Cóipeáil chuig an ngearrthaisce", - "Use this address to access your Files via WebDAV." : "Úsáid an seoladh seo chun rochtain a fháil ar do Chomhaid trí WebDAV.", + "Copy" : "Cóipeáil", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Tá Fíordheimhniú Dhá Fhachtóir cumasaithe do do chuntas, agus dá bhrí sin ní mór duit pasfhocal aipe a úsáid chun cliant seachtrach WebDAV a nascadh.", "Warnings" : "Rabhaidh", - "Prevent warning dialogs from open or reenable them." : "Cosc a chur ar dialóga rabhaidh ó iad a oscailt nó iad a athchumasú.", - "Show a warning dialog when changing a file extension." : "Taispeáin dialóg rabhaidh nuair a athraítear síneadh comhad.", - "Show a warning dialog when deleting files." : "Taispeáin comhrá rabhaidh agus comhaid á scriosadh.", "Keyboard shortcuts" : "Aicearraí méarchláir", - "Speed up your Files experience with these quick shortcuts." : "Déan do thaithí Comhaid a bhrostú leis na haicearraí tapa seo.", - "Open the actions menu for a file" : "Oscail an roghchlár gníomhartha le haghaidh comhad", - "Rename a file" : "Athainmnigh comhad", - "Delete a file" : "Scrios comhad", - "Favorite or remove a file from favorites" : "Is ansa leat nó bain comhad ó cheanáin", - "Manage tags for a file" : "Bainistigh clibeanna le haghaidh comhaid", + "File actions" : "Gníomhartha comhaid", + "Rename" : "Athainmnigh", + "Delete" : "Scrios", + "Manage tags" : "Bainistigh clibeanna", "Selection" : "Roghnú", "Select all files" : "Roghnaigh gach comhad", - "Deselect all files" : "Díroghnaigh gach comhad", - "Select or deselect a file" : "Roghnaigh nó díroghnaigh comhad", - "Select a range of files" : "Roghnaigh raon comhad", + "Deselect all" : "Díroghnaigh go léir", "Navigation" : "Loingseoireacht", - "Navigate to the parent folder" : "Déan nascleanúint go dtí an fillteán tuismitheora", - "Navigate to the file above" : "Déan nascleanúint go dtí an comhad thuas", - "Navigate to the file below" : "Déan nascleanúint go dtí an comhad thíos", - "Navigate to the file on the left (in grid mode)" : "Déan nascleanúint go dtí an comhad ar chlé (i mód greille)", - "Navigate to the file on the right (in grid mode)" : "Déan nascleanúint go dtí an comhad ar dheis (i mód greille)", "View" : "Amharc", - "Toggle the grid view" : "Scoránaigh an radharc greille", - "Open the sidebar for a file" : "Oscail an barra taoibh le haghaidh comhad", + "Toggle grid view" : "Scoránaigh amharc greille", "Show those shortcuts" : "Taispeáin na haicearraí sin", "You" : "tú", "Shared multiple times with different people" : "Roinnte go minic le daoine éagsúla", @@ -276,7 +253,6 @@ OC.L10N.register( "Delete files" : "Scrios comhaid", "Delete folder" : "Scrios fillteán", "Delete folders" : "Scrios fillteáin", - "Delete" : "Scrios", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Tá tú ar tí {count} mír a scriosadh go buan","Tá tú ar tí {count} mír a scriosadh go buan","Tá tú ar tí {count} mír a scriosadh go buan","Tá tú ar tí {count} mír a scriosadh go buan","Tá tú ar tí {count} mír a scriosadh go buan"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Tá tú ar tí {count} mír a scriosadh","Tá tú ar tí {count} mír a scriosadh","Tá tú ar tí {count} mír a scriosadh","Tá tú ar tí {count} mír a scriosadh","Tá tú ar tí {count} mír a scriosadh"], "Confirm deletion" : "Deimhnigh scriosadh", @@ -294,7 +270,6 @@ OC.L10N.register( "The file does not exist anymore" : "Níl an comhad ann a thuilleadh", "Choose destination" : "Roghnaigh ceann scríbe", "Copy to {target}" : "Cóipeáil chuig {target}", - "Copy" : "Cóipeáil", "Move to {target}" : "Bog go {target}", "Move" : "Bog", "Move or copy operation failed" : "Theip ar an oibríocht a bhogadh nó a chóipeáil", @@ -307,8 +282,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Ba cheart an comhad a oscailt anois ar do ghléas. Mura ndéanann sé, seiceáil le do thoil go bhfuil an aip deisce suiteáilte agat.", "Retry and close" : "Bain triail eile as agus dún", "Open online" : "Oscail ar líne", - "Rename" : "Athainmnigh", - "Open details" : "Sonraí oscailte", + "Details" : "Sonraí", "View in folder" : "Amharc san fhillteán", "Today" : "Inniu", "Last 7 days" : "7 lá seo caite", @@ -321,7 +295,7 @@ OC.L10N.register( "PDFs" : "PDFs", "Folders" : "Fillteáin", "Audio" : "Fuaime", - "Photos and images" : "Grianghraif agus íomhánna", + "Images" : "Íomhánna", "Videos" : "Físeáin", "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ú", @@ -348,7 +322,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Tá an t-ainm \"{newName}\" in úsáid cheana féin san fhillteán \"{dir}\". Roghnaigh ainm eile le do thoil.", "Could not rename \"{oldName}\"" : "Níorbh fhéidir \"{oldName}\" a athainmniú", "This operation is forbidden" : "Tá an oibríocht seo toirmiscthe", - "This directory is unavailable, please check the logs or contact the administrator" : "Níl an t-eolaire seo ar fáil, seiceáil na logaí nó déan teagmháil leis an riarthóir le do thoil", "Storage is temporarily not available" : "Níl stóráil ar fáil go sealadach", "Unexpected error: {error}" : "Earráid gan choinne: {error}", "_%n file_::_%n files_" : ["%n comhad","%n comhaid","%n comhaid","%n comhaid","%n comhaid"], @@ -363,7 +336,6 @@ OC.L10N.register( "No favorites yet" : "Níl aon cheanáin go fóill", "Files and folders you mark as favorite will show up here" : "Taispeánfar comhaid agus fillteáin a mharcálann tú mar is fearr leat anseo", "List of your files and folders." : "Liosta de do chuid comhad agus fillteáin.", - "Folder tree" : "Crann fillteán", "List of your files and folders that are not shared." : "Liosta de do chuid comhad agus fillteáin nach bhfuil roinnte.", "No personal files found" : "Níor aimsíodh aon chomhaid phearsanta", "Files that are not shared will show up here." : "Taispeánfar comhaid nach bhfuil roinnte anseo.", @@ -402,12 +374,12 @@ OC.L10N.register( "Edit locally" : "Cuir in eagar go háitiúil", "Open" : "Oscail", "Could not load info for file \"{file}\"" : "Níorbh fhéidir faisnéis don chomhad \"{file}\" a lódáil", - "Details" : "Sonraí", "Please select tag(s) to add to the selection" : "Roghnaigh clib(í) le cur leis an rogha le do thoil", "Apply tag(s) to selection" : "Cuir clib(í) i bhfeidhm ar an roghnúchán", "Select directory \"{dirName}\"" : "Roghnaigh eolaire \"{dirName}\"", "Select file \"{fileName}\"" : "Roghnaigh comhad \"{fileName}\"", "Unable to determine date" : "Ní féidir an dáta a chinneadh", + "This directory is unavailable, please check the logs or contact the administrator" : "Níl an t-eolaire seo ar fáil, seiceáil na logaí nó déan teagmháil leis an riarthóir le do thoil", "Could not move \"{file}\", target exists" : "Níorbh fhéidir \"{file}\" a bhogadh, tá an sprioc ann", "Could not move \"{file}\"" : "Níorbh fhéidir \"{file}\" a bhogadh", "copy" : "cóip", @@ -455,15 +427,24 @@ OC.L10N.register( "Not favored" : "Ní bail ar fónamh orthu", "An error occurred while trying to update the tags" : "Tharla earráid agus iarracht á déanamh na clibeanna a nuashonrú", "Upload (max. %s)" : "Uaslódáil (%s ar a mhéad)", + "\"{displayName}\" action executed successfully" : "Cuireadh an gníomh \"{displayName}\" i gcrích go rathúil", + "\"{displayName}\" action failed" : "Theip ar an ngníomh \"{displayName}\".", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" theip ar roinnt gnéithe", + "\"{displayName}\" batch action executed successfully" : "D'éirigh le beart baisce \"{displayName}\" a rith", "Submitting fields…" : "Réimsí á gcur isteach…", "Filter filenames…" : "Scag ainmneacha comhaid…", + "WebDAV URL copied to clipboard" : "URL WebDAV cóipeáilte chuig an ngearrthaisce", "Enable the grid view" : "Cumasaigh an radharc greille", + "Enable folder tree" : "Cumasaigh crann fillteáin", + "Copy to clipboard" : "Cóipeáil chuig an ngearrthaisce", "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", + "Open details" : "Sonraí oscailte", + "Photos and images" : "Grianghraif agus íomhánna", "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"], @@ -477,6 +458,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (athainmnithe)", "renamed file" : "comhad athainmnithe", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Tar éis na hainmneacha comhad atá comhoiriúnach le Windows a chumasú, ní féidir comhaid atá ann cheana a mhodhnú a thuilleadh ach is féidir lena n-úinéir iad a athainmniú go hainmneacha nua bailí.", - "Filter file names …" : "Scag ainmneacha na gcomhad…" + "Filter file names …" : "Scag ainmneacha na gcomhad…", + "Prevent warning dialogs from open or reenable them." : "Cosc a chur ar dialóga rabhaidh ó iad a oscailt nó iad a athchumasú.", + "Show a warning dialog when changing a file extension." : "Taispeáin dialóg rabhaidh nuair a athraítear síneadh comhad.", + "Speed up your Files experience with these quick shortcuts." : "Déan do thaithí Comhaid a bhrostú leis na haicearraí tapa seo.", + "Open the actions menu for a file" : "Oscail an roghchlár gníomhartha le haghaidh comhad", + "Rename a file" : "Athainmnigh comhad", + "Delete a file" : "Scrios comhad", + "Favorite or remove a file from favorites" : "Is ansa leat nó bain comhad ó cheanáin", + "Manage tags for a file" : "Bainistigh clibeanna le haghaidh comhaid", + "Deselect all files" : "Díroghnaigh gach comhad", + "Select or deselect a file" : "Roghnaigh nó díroghnaigh comhad", + "Select a range of files" : "Roghnaigh raon comhad", + "Navigate to the parent folder" : "Déan nascleanúint go dtí an fillteán tuismitheora", + "Navigate to the file above" : "Déan nascleanúint go dtí an comhad thuas", + "Navigate to the file below" : "Déan nascleanúint go dtí an comhad thíos", + "Navigate to the file on the left (in grid mode)" : "Déan nascleanúint go dtí an comhad ar chlé (i mód greille)", + "Navigate to the file on the right (in grid mode)" : "Déan nascleanúint go dtí an comhad ar dheis (i mód greille)", + "Toggle the grid view" : "Scoránaigh an radharc greille", + "Open the sidebar for a file" : "Oscail an barra taoibh le haghaidh comhad" }, "nplurals=5; plural=(n==1 ? 0 : n==2 ? 1 : n<7 ? 2 : n<11 ? 3 : 4);"); diff --git a/apps/files/l10n/ga.json b/apps/files/l10n/ga.json index 7535ebc205b..788ee81200a 100644 --- a/apps/files/l10n/ga.json +++ b/apps/files/l10n/ga.json @@ -113,9 +113,6 @@ "Name" : "Ainm", "File type" : "Cineál comhaid", "Size" : "Méid", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" theip ar roinnt gnéithe", - "\"{displayName}\" batch action executed successfully" : "D'éirigh le beart baisce \"{displayName}\" a rith", - "\"{displayName}\" action failed" : "Theip ar an ngníomh \"{displayName}\".", "Actions" : "Gníomhartha", "(selected)" : "(roghnaithe)", "List of files and folders." : "Liosta de chomhaid agus fillteáin.", @@ -124,11 +121,7 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Níl an liosta seo le fáil go hiomlán ar chúiseanna feidhmíochta. Déanfar na comhaid a rindreáil agus tú ag dul tríd an liosta.", "File not found" : "Comhad gan aimsiú", "_{count} selected_::_{count} selected_" : ["{count} roghnaithe","{count} roghnaithe","{count} roghnaithe","{count} roghnaithe","{count} roghnaithe"], - "Search globally by filename …" : "Cuardaigh go domhanda de réir ainm comhaid …", - "Search here by filename …" : "Cuardaigh anseo de réir ainm comhaid …", "Search scope options" : "Roghanna raon feidhme cuardaigh", - "Filter and search from this location" : "Scag agus déan cuardach ón suíomh seo", - "Search globally" : "Cuardaigh go domhanda", "{usedQuotaByte} used" : "{usedQuotaByte} úsáidte", "{used} of {quota} used" : "{used} de {quota} in úsáid", "{relative}% used" : "{relative}% in úsáid", @@ -178,7 +171,6 @@ "Error during upload: {message}" : "Earráid le linn uaslódála: {message}", "Error during upload, status code {status}" : "Earráid le linn uaslódála, cód stádais {status}", "Unknown error during upload" : "Earráid anaithnid le linn uaslódála", - "\"{displayName}\" action executed successfully" : "Cuireadh an gníomh \"{displayName}\" i gcrích go rathúil", "Loading current folder" : "An fillteán reatha á lódáil", "Retry" : "Bain triail eile as", "No files in here" : "Níl aon chomhaid istigh anseo", @@ -193,49 +185,34 @@ "No search results for “{query}”" : "Gan aon torthaí cuardaigh le haghaidh ”{query}”", "Search for files" : "Cuardaigh comhaid", "Clipboard is not available" : "Níl fáil ar an ngearrthaisce", - "WebDAV URL copied to clipboard" : "URL WebDAV cóipeáilte chuig an ngearrthaisce", + "General" : "Ginearálta", "Default view" : "Amharc réamhshocraithe", "All files" : "Gach comhad", "Personal files" : "Comhaid phearsanta", "Sort favorites first" : "Sórtáil na cinn is ansa leat ar dtús", "Sort folders before files" : "Sórtáil fillteáin roimh chomhaid", - "Enable folder tree" : "Cumasaigh crann fillteáin", - "Visual settings" : "Socruithe amhairc", + "Folder tree" : "Crann fillteán", + "Appearance" : "Dealramh", "Show hidden files" : "Taispeáin comhaid i bhfolach", "Show file type column" : "Taispeáin colún cineál comhaid", "Crop image previews" : "Réamhamhairc íomhá barr", - "Show files extensions" : "Taispeáin síntí comhad", "Additional settings" : "Socruithe breise", "WebDAV" : "WebDAV", "WebDAV URL" : "URL WebDAV", - "Copy to clipboard" : "Cóipeáil chuig an ngearrthaisce", - "Use this address to access your Files via WebDAV." : "Úsáid an seoladh seo chun rochtain a fháil ar do Chomhaid trí WebDAV.", + "Copy" : "Cóipeáil", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Tá Fíordheimhniú Dhá Fhachtóir cumasaithe do do chuntas, agus dá bhrí sin ní mór duit pasfhocal aipe a úsáid chun cliant seachtrach WebDAV a nascadh.", "Warnings" : "Rabhaidh", - "Prevent warning dialogs from open or reenable them." : "Cosc a chur ar dialóga rabhaidh ó iad a oscailt nó iad a athchumasú.", - "Show a warning dialog when changing a file extension." : "Taispeáin dialóg rabhaidh nuair a athraítear síneadh comhad.", - "Show a warning dialog when deleting files." : "Taispeáin comhrá rabhaidh agus comhaid á scriosadh.", "Keyboard shortcuts" : "Aicearraí méarchláir", - "Speed up your Files experience with these quick shortcuts." : "Déan do thaithí Comhaid a bhrostú leis na haicearraí tapa seo.", - "Open the actions menu for a file" : "Oscail an roghchlár gníomhartha le haghaidh comhad", - "Rename a file" : "Athainmnigh comhad", - "Delete a file" : "Scrios comhad", - "Favorite or remove a file from favorites" : "Is ansa leat nó bain comhad ó cheanáin", - "Manage tags for a file" : "Bainistigh clibeanna le haghaidh comhaid", + "File actions" : "Gníomhartha comhaid", + "Rename" : "Athainmnigh", + "Delete" : "Scrios", + "Manage tags" : "Bainistigh clibeanna", "Selection" : "Roghnú", "Select all files" : "Roghnaigh gach comhad", - "Deselect all files" : "Díroghnaigh gach comhad", - "Select or deselect a file" : "Roghnaigh nó díroghnaigh comhad", - "Select a range of files" : "Roghnaigh raon comhad", + "Deselect all" : "Díroghnaigh go léir", "Navigation" : "Loingseoireacht", - "Navigate to the parent folder" : "Déan nascleanúint go dtí an fillteán tuismitheora", - "Navigate to the file above" : "Déan nascleanúint go dtí an comhad thuas", - "Navigate to the file below" : "Déan nascleanúint go dtí an comhad thíos", - "Navigate to the file on the left (in grid mode)" : "Déan nascleanúint go dtí an comhad ar chlé (i mód greille)", - "Navigate to the file on the right (in grid mode)" : "Déan nascleanúint go dtí an comhad ar dheis (i mód greille)", "View" : "Amharc", - "Toggle the grid view" : "Scoránaigh an radharc greille", - "Open the sidebar for a file" : "Oscail an barra taoibh le haghaidh comhad", + "Toggle grid view" : "Scoránaigh amharc greille", "Show those shortcuts" : "Taispeáin na haicearraí sin", "You" : "tú", "Shared multiple times with different people" : "Roinnte go minic le daoine éagsúla", @@ -274,7 +251,6 @@ "Delete files" : "Scrios comhaid", "Delete folder" : "Scrios fillteán", "Delete folders" : "Scrios fillteáin", - "Delete" : "Scrios", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Tá tú ar tí {count} mír a scriosadh go buan","Tá tú ar tí {count} mír a scriosadh go buan","Tá tú ar tí {count} mír a scriosadh go buan","Tá tú ar tí {count} mír a scriosadh go buan","Tá tú ar tí {count} mír a scriosadh go buan"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Tá tú ar tí {count} mír a scriosadh","Tá tú ar tí {count} mír a scriosadh","Tá tú ar tí {count} mír a scriosadh","Tá tú ar tí {count} mír a scriosadh","Tá tú ar tí {count} mír a scriosadh"], "Confirm deletion" : "Deimhnigh scriosadh", @@ -292,7 +268,6 @@ "The file does not exist anymore" : "Níl an comhad ann a thuilleadh", "Choose destination" : "Roghnaigh ceann scríbe", "Copy to {target}" : "Cóipeáil chuig {target}", - "Copy" : "Cóipeáil", "Move to {target}" : "Bog go {target}", "Move" : "Bog", "Move or copy operation failed" : "Theip ar an oibríocht a bhogadh nó a chóipeáil", @@ -305,8 +280,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Ba cheart an comhad a oscailt anois ar do ghléas. Mura ndéanann sé, seiceáil le do thoil go bhfuil an aip deisce suiteáilte agat.", "Retry and close" : "Bain triail eile as agus dún", "Open online" : "Oscail ar líne", - "Rename" : "Athainmnigh", - "Open details" : "Sonraí oscailte", + "Details" : "Sonraí", "View in folder" : "Amharc san fhillteán", "Today" : "Inniu", "Last 7 days" : "7 lá seo caite", @@ -319,7 +293,7 @@ "PDFs" : "PDFs", "Folders" : "Fillteáin", "Audio" : "Fuaime", - "Photos and images" : "Grianghraif agus íomhánna", + "Images" : "Íomhánna", "Videos" : "Físeáin", "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ú", @@ -346,7 +320,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Tá an t-ainm \"{newName}\" in úsáid cheana féin san fhillteán \"{dir}\". Roghnaigh ainm eile le do thoil.", "Could not rename \"{oldName}\"" : "Níorbh fhéidir \"{oldName}\" a athainmniú", "This operation is forbidden" : "Tá an oibríocht seo toirmiscthe", - "This directory is unavailable, please check the logs or contact the administrator" : "Níl an t-eolaire seo ar fáil, seiceáil na logaí nó déan teagmháil leis an riarthóir le do thoil", "Storage is temporarily not available" : "Níl stóráil ar fáil go sealadach", "Unexpected error: {error}" : "Earráid gan choinne: {error}", "_%n file_::_%n files_" : ["%n comhad","%n comhaid","%n comhaid","%n comhaid","%n comhaid"], @@ -361,7 +334,6 @@ "No favorites yet" : "Níl aon cheanáin go fóill", "Files and folders you mark as favorite will show up here" : "Taispeánfar comhaid agus fillteáin a mharcálann tú mar is fearr leat anseo", "List of your files and folders." : "Liosta de do chuid comhad agus fillteáin.", - "Folder tree" : "Crann fillteán", "List of your files and folders that are not shared." : "Liosta de do chuid comhad agus fillteáin nach bhfuil roinnte.", "No personal files found" : "Níor aimsíodh aon chomhaid phearsanta", "Files that are not shared will show up here." : "Taispeánfar comhaid nach bhfuil roinnte anseo.", @@ -400,12 +372,12 @@ "Edit locally" : "Cuir in eagar go háitiúil", "Open" : "Oscail", "Could not load info for file \"{file}\"" : "Níorbh fhéidir faisnéis don chomhad \"{file}\" a lódáil", - "Details" : "Sonraí", "Please select tag(s) to add to the selection" : "Roghnaigh clib(í) le cur leis an rogha le do thoil", "Apply tag(s) to selection" : "Cuir clib(í) i bhfeidhm ar an roghnúchán", "Select directory \"{dirName}\"" : "Roghnaigh eolaire \"{dirName}\"", "Select file \"{fileName}\"" : "Roghnaigh comhad \"{fileName}\"", "Unable to determine date" : "Ní féidir an dáta a chinneadh", + "This directory is unavailable, please check the logs or contact the administrator" : "Níl an t-eolaire seo ar fáil, seiceáil na logaí nó déan teagmháil leis an riarthóir le do thoil", "Could not move \"{file}\", target exists" : "Níorbh fhéidir \"{file}\" a bhogadh, tá an sprioc ann", "Could not move \"{file}\"" : "Níorbh fhéidir \"{file}\" a bhogadh", "copy" : "cóip", @@ -453,15 +425,24 @@ "Not favored" : "Ní bail ar fónamh orthu", "An error occurred while trying to update the tags" : "Tharla earráid agus iarracht á déanamh na clibeanna a nuashonrú", "Upload (max. %s)" : "Uaslódáil (%s ar a mhéad)", + "\"{displayName}\" action executed successfully" : "Cuireadh an gníomh \"{displayName}\" i gcrích go rathúil", + "\"{displayName}\" action failed" : "Theip ar an ngníomh \"{displayName}\".", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" theip ar roinnt gnéithe", + "\"{displayName}\" batch action executed successfully" : "D'éirigh le beart baisce \"{displayName}\" a rith", "Submitting fields…" : "Réimsí á gcur isteach…", "Filter filenames…" : "Scag ainmneacha comhaid…", + "WebDAV URL copied to clipboard" : "URL WebDAV cóipeáilte chuig an ngearrthaisce", "Enable the grid view" : "Cumasaigh an radharc greille", + "Enable folder tree" : "Cumasaigh crann fillteáin", + "Copy to clipboard" : "Cóipeáil chuig an ngearrthaisce", "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", + "Open details" : "Sonraí oscailte", + "Photos and images" : "Grianghraif agus íomhánna", "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"], @@ -475,6 +456,24 @@ "%1$s (renamed)" : "%1$s (athainmnithe)", "renamed file" : "comhad athainmnithe", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Tar éis na hainmneacha comhad atá comhoiriúnach le Windows a chumasú, ní féidir comhaid atá ann cheana a mhodhnú a thuilleadh ach is féidir lena n-úinéir iad a athainmniú go hainmneacha nua bailí.", - "Filter file names …" : "Scag ainmneacha na gcomhad…" + "Filter file names …" : "Scag ainmneacha na gcomhad…", + "Prevent warning dialogs from open or reenable them." : "Cosc a chur ar dialóga rabhaidh ó iad a oscailt nó iad a athchumasú.", + "Show a warning dialog when changing a file extension." : "Taispeáin dialóg rabhaidh nuair a athraítear síneadh comhad.", + "Speed up your Files experience with these quick shortcuts." : "Déan do thaithí Comhaid a bhrostú leis na haicearraí tapa seo.", + "Open the actions menu for a file" : "Oscail an roghchlár gníomhartha le haghaidh comhad", + "Rename a file" : "Athainmnigh comhad", + "Delete a file" : "Scrios comhad", + "Favorite or remove a file from favorites" : "Is ansa leat nó bain comhad ó cheanáin", + "Manage tags for a file" : "Bainistigh clibeanna le haghaidh comhaid", + "Deselect all files" : "Díroghnaigh gach comhad", + "Select or deselect a file" : "Roghnaigh nó díroghnaigh comhad", + "Select a range of files" : "Roghnaigh raon comhad", + "Navigate to the parent folder" : "Déan nascleanúint go dtí an fillteán tuismitheora", + "Navigate to the file above" : "Déan nascleanúint go dtí an comhad thuas", + "Navigate to the file below" : "Déan nascleanúint go dtí an comhad thíos", + "Navigate to the file on the left (in grid mode)" : "Déan nascleanúint go dtí an comhad ar chlé (i mód greille)", + "Navigate to the file on the right (in grid mode)" : "Déan nascleanúint go dtí an comhad ar dheis (i mód greille)", + "Toggle the grid view" : "Scoránaigh an radharc greille", + "Open the sidebar for a file" : "Oscail an barra taoibh le haghaidh comhad" },"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/l10n/gl.js b/apps/files/l10n/gl.js index 7982cb47273..c282ebfbaed 100644 --- a/apps/files/l10n/gl.js +++ b/apps/files/l10n/gl.js @@ -107,9 +107,6 @@ OC.L10N.register( "Toggle selection for all files and folders" : "Conmutar a selección para todos os ficheiros e cartafoles", "Name" : "Nome", "Size" : "Tamaño", - "\"{displayName}\" failed on some elements" : "Produciuse un fallo nalgúns elementos de «{displayName}»", - "\"{displayName}\" batch action executed successfully" : "A acción por lotes «{displayName}» executouse correctamente", - "\"{displayName}\" action failed" : "Produciuse un fallo na acción «{displayName}»", "Actions" : "Accións", "(selected)" : "(seleccionado)", "List of files and folders." : "Lista de ficheiros e cartafoles", @@ -118,7 +115,6 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Esta lista non se representa de xeito completo por mor do rendemento. Os ficheiros represéntanse mentres se despraza pola lista.", "File not found" : "Non se atopou o ficheiro", "_{count} selected_::_{count} selected_" : ["{count} seleccionado","{count} seleccionados"], - "Search globally" : "Buscar globalmente", "{usedQuotaByte} used" : "{usedQuotaByte} usado", "{used} of {quota} used" : "Usados {used} de {quota}", "{relative}% used" : "{relative}% usado", @@ -167,7 +163,6 @@ OC.L10N.register( "Error during upload: {message}" : "Produciuse un erro durante o envío: {message}", "Error during upload, status code {status}" : "Produciuse un erro durante o envío, código de estado {status}", "Unknown error during upload" : "Produciuse un erro descoñecido durante o envío", - "\"{displayName}\" action executed successfully" : "A acción «{displayName}» executouse correctamente", "Loading current folder" : "Cargando o cartafol actual", "Retry" : "Volver tentar", "No files in here" : "Aquí non hai ficheiros", @@ -180,42 +175,30 @@ OC.L10N.register( "File cannot be accessed" : "Non é posíbel acceder ao ficheiro", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Non foi posíbel atopar o ficheiro ou non ten permiso para velo. Pídalle ao remitente que o comparta.", "Clipboard is not available" : "O portapapeis non está dispoñíbel", - "WebDAV URL copied to clipboard" : "O URL de WebDAV foi copiado no portapapeis", + "General" : "Xeral", "All files" : "Todos os ficheiros", "Personal files" : "Ficheiros persoais", "Sort favorites first" : "Ordene antes os favoritos", "Sort folders before files" : "Ordenar os cartafoles diante dos ficheiros", - "Enable folder tree" : "Activar a árbore de cartafoles", + "Appearance" : "Aparencia", "Show hidden files" : "Amosar os ficheiros agochados", "Crop image previews" : "Recortar a vista previa das imaxes", "Additional settings" : "Axustes adicionais", "WebDAV" : "WebDAV", "WebDAV URL" : "URL de WebDAV", - "Copy to clipboard" : "Copiar no portapapeis.", + "Copy" : "Copiar", "Warnings" : "Advertencias", - "Prevent warning dialogs from open or reenable them." : "Impedir abrir ou reactivar os diálogos de advertencia", - "Show a warning dialog when changing a file extension." : "Amosar un diálogo de advertencia ao cambiar unha extensión de ficheiro.", "Keyboard shortcuts" : "Atallos de teclado", - "Speed up your Files experience with these quick shortcuts." : "Acelere a súa experiencia con Ficheiros con estes atallos rápidos.", - "Open the actions menu for a file" : "Abrir o menú de accións dun ficheiro", - "Rename a file" : "Cambiar o nome dun ficheiro", - "Delete a file" : "Eliminar un ficheiro", - "Favorite or remove a file from favorites" : "Marcar como favorito ou retirar un ficheiro dos favoritos", - "Manage tags for a file" : "Xestionar etiquetas para un ficheiro", + "File actions" : "Accións de ficheiro", + "Rename" : "Cambiar o nome", + "Delete" : "Eliminar", + "Manage tags" : "Xestionar as etiquetas", "Selection" : "Selección", "Select all files" : "Seleccionar todos os ficheiros", - "Deselect all files" : "Deseleccionar todos os ficheiros", - "Select or deselect a file" : "Seleccione ou deseleccione un ficheiro", - "Select a range of files" : "Seleccionar un intervalo de ficheiros", + "Deselect all" : "Deseleccionar todo", "Navigation" : "Navegación", - "Navigate to the parent folder" : "Navegar ata o cartafol principal", - "Navigate to the file above" : "Navegar ata o ficheiro anterior", - "Navigate to the file below" : "Navegar ata o ficheiro seguinte", - "Navigate to the file on the left (in grid mode)" : "Navegar ata o ficheiro da esquerda (en modo de grade)", - "Navigate to the file on the right (in grid mode)" : "Navegar ata o ficheiro da dereita (en modo de grade)", "View" : "Ver", - "Toggle the grid view" : "Cambiar á vista de grade", - "Open the sidebar for a file" : "Abrir a barra lateral dun ficheiro", + "Toggle grid view" : "Alternar a vista como grade", "Show those shortcuts" : "Amosar eses atallos", "You" : "Vde.", "Shared multiple times with different people" : "Compartido varias veces con diferentes persoas", @@ -252,7 +235,6 @@ OC.L10N.register( "Delete files" : "Eliminar ficheiros", "Delete folder" : "Eliminar o cartafol", "Delete folders" : "Eliminar cartafoles", - "Delete" : "Eliminar", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Está a piques de eliminar definitivamente {count} elemento","Está a piques de eliminar definitivamente {count} elementos"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Está a piques de eliminar {count} elemento","Está a piques de eliminar {count} elementos"], "Confirm deletion" : "Confirmar a eliminación", @@ -270,7 +252,6 @@ OC.L10N.register( "The file does not exist anymore" : "O ficheiro xa non existe", "Choose destination" : "Escoller o destino", "Copy to {target}" : "Copiar en {target}", - "Copy" : "Copiar", "Move to {target}" : "Mover a {target}", "Move" : "Mover", "Move or copy operation failed" : "Produciuse un erro na operación de copia ou de movemento", @@ -283,8 +264,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "O ficheiro debería abrirse agora no seu dispositivo. Se non é así, comprobe se ten instalada a aplicación de escritorio.", "Retry and close" : "Tentar de novo e pechar", "Open online" : "Abrir en liña", - "Rename" : "Cambiar o nome", - "Open details" : "Abrir detalles", + "Details" : "Detalles", "View in folder" : "Ver no cartafol", "Today" : "Hoxe", "Last 7 days" : "Últimos 7 días", @@ -297,7 +277,7 @@ OC.L10N.register( "PDFs" : "PDF", "Folders" : "Cartafoles", "Audio" : "Son", - "Photos and images" : "Fotos e imaxes", + "Images" : "Imaxes", "Videos" : "Vídeos", "Created new folder \"{name}\"" : "Creouse un novo cartafol «{name}»", "Unable to initialize the templates directory" : "Non é posíbel iniciar o directorio de modelos", @@ -323,7 +303,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "O nome «{newName}» xa se utiliza no cartafol «{dir}». Escolla un nome diferente.", "Could not rename \"{oldName}\"" : "Non foi posíbel cambiarlle o nome a «{oldName}»", "This operation is forbidden" : "Esta operación está prohibida", - "This directory is unavailable, please check the logs or contact the administrator" : "Este directorio non está dispoñíbel, consulte os ficheiros de rexistro ou póñase en contacto coa administración desta instancia.", "Storage is temporarily not available" : "O almacenamento non está dispoñíbel temporalmente", "Unexpected error: {error}" : "Produciuse un erro non agardado: {error}", "_%n file_::_%n files_" : ["%n ficheiro","%n ficheiros"], @@ -374,12 +353,12 @@ OC.L10N.register( "Edit locally" : "Editar localmente", "Open" : "Abrir", "Could not load info for file \"{file}\"" : "Non foi posíbel cargar información para o ficheiro «{file}»", - "Details" : "Detalles", "Please select tag(s) to add to the selection" : "Escolla a etiqueta(s) para engadir á selección", "Apply tag(s) to selection" : "Aplicar etiqueta(s) á selección", "Select directory \"{dirName}\"" : "Seleccione o directorio «{dirName}»", "Select file \"{fileName}\"" : "Seleccione o ficheiro «{fileName}»", "Unable to determine date" : "Non é posíbel determinar a data", + "This directory is unavailable, please check the logs or contact the administrator" : "Este directorio non está dispoñíbel, consulte os ficheiros de rexistro ou póñase en contacto coa administración desta instancia.", "Could not move \"{file}\", target exists" : "Non foi posíbel mover «{file}», o destino xa existe", "Could not move \"{file}\"" : "Non foi posíbel mover «{file}»", "copy" : "copiar", @@ -427,15 +406,24 @@ OC.L10N.register( "Not favored" : "Non favorecido", "An error occurred while trying to update the tags" : "Produciuse un erro ao tentar actualizar as etiquetas", "Upload (max. %s)" : "Envío (máx. %s)", + "\"{displayName}\" action executed successfully" : "A acción «{displayName}» executouse correctamente", + "\"{displayName}\" action failed" : "Produciuse un fallo na acción «{displayName}»", + "\"{displayName}\" failed on some elements" : "Produciuse un fallo nalgúns elementos de «{displayName}»", + "\"{displayName}\" batch action executed successfully" : "A acción por lotes «{displayName}» executouse correctamente", "Submitting fields…" : "Enviando os campos...", "Filter filenames…" : "Filtrar os nomes de ficheiro…", + "WebDAV URL copied to clipboard" : "O URL de WebDAV foi copiado no portapapeis", "Enable the grid view" : "Activar á vista de grade", + "Enable folder tree" : "Activar a árbore de cartafoles", + "Copy to clipboard" : "Copiar no portapapeis.", "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", + "Open details" : "Abrir detalles", + "Photos and images" : "Fotos e imaxes", "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"], @@ -446,6 +434,24 @@ OC.L10N.register( "Personal Files" : "Ficheiros persoais", "Text file" : "Ficheiro de texto", "New text file.txt" : "Novo ficheiro de texto.txt", - "Filter file names …" : "Filtrar os nomes de ficheiro…" + "Filter file names …" : "Filtrar os nomes de ficheiro…", + "Prevent warning dialogs from open or reenable them." : "Impedir abrir ou reactivar os diálogos de advertencia", + "Show a warning dialog when changing a file extension." : "Amosar un diálogo de advertencia ao cambiar unha extensión de ficheiro.", + "Speed up your Files experience with these quick shortcuts." : "Acelere a súa experiencia con Ficheiros con estes atallos rápidos.", + "Open the actions menu for a file" : "Abrir o menú de accións dun ficheiro", + "Rename a file" : "Cambiar o nome dun ficheiro", + "Delete a file" : "Eliminar un ficheiro", + "Favorite or remove a file from favorites" : "Marcar como favorito ou retirar un ficheiro dos favoritos", + "Manage tags for a file" : "Xestionar etiquetas para un ficheiro", + "Deselect all files" : "Deseleccionar todos os ficheiros", + "Select or deselect a file" : "Seleccione ou deseleccione un ficheiro", + "Select a range of files" : "Seleccionar un intervalo de ficheiros", + "Navigate to the parent folder" : "Navegar ata o cartafol principal", + "Navigate to the file above" : "Navegar ata o ficheiro anterior", + "Navigate to the file below" : "Navegar ata o ficheiro seguinte", + "Navigate to the file on the left (in grid mode)" : "Navegar ata o ficheiro da esquerda (en modo de grade)", + "Navigate to the file on the right (in grid mode)" : "Navegar ata o ficheiro da dereita (en modo de grade)", + "Toggle the grid view" : "Cambiar á vista de grade", + "Open the sidebar for a file" : "Abrir a barra lateral dun ficheiro" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/gl.json b/apps/files/l10n/gl.json index e57c8bbe43e..2a3eed12997 100644 --- a/apps/files/l10n/gl.json +++ b/apps/files/l10n/gl.json @@ -105,9 +105,6 @@ "Toggle selection for all files and folders" : "Conmutar a selección para todos os ficheiros e cartafoles", "Name" : "Nome", "Size" : "Tamaño", - "\"{displayName}\" failed on some elements" : "Produciuse un fallo nalgúns elementos de «{displayName}»", - "\"{displayName}\" batch action executed successfully" : "A acción por lotes «{displayName}» executouse correctamente", - "\"{displayName}\" action failed" : "Produciuse un fallo na acción «{displayName}»", "Actions" : "Accións", "(selected)" : "(seleccionado)", "List of files and folders." : "Lista de ficheiros e cartafoles", @@ -116,7 +113,6 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Esta lista non se representa de xeito completo por mor do rendemento. Os ficheiros represéntanse mentres se despraza pola lista.", "File not found" : "Non se atopou o ficheiro", "_{count} selected_::_{count} selected_" : ["{count} seleccionado","{count} seleccionados"], - "Search globally" : "Buscar globalmente", "{usedQuotaByte} used" : "{usedQuotaByte} usado", "{used} of {quota} used" : "Usados {used} de {quota}", "{relative}% used" : "{relative}% usado", @@ -165,7 +161,6 @@ "Error during upload: {message}" : "Produciuse un erro durante o envío: {message}", "Error during upload, status code {status}" : "Produciuse un erro durante o envío, código de estado {status}", "Unknown error during upload" : "Produciuse un erro descoñecido durante o envío", - "\"{displayName}\" action executed successfully" : "A acción «{displayName}» executouse correctamente", "Loading current folder" : "Cargando o cartafol actual", "Retry" : "Volver tentar", "No files in here" : "Aquí non hai ficheiros", @@ -178,42 +173,30 @@ "File cannot be accessed" : "Non é posíbel acceder ao ficheiro", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Non foi posíbel atopar o ficheiro ou non ten permiso para velo. Pídalle ao remitente que o comparta.", "Clipboard is not available" : "O portapapeis non está dispoñíbel", - "WebDAV URL copied to clipboard" : "O URL de WebDAV foi copiado no portapapeis", + "General" : "Xeral", "All files" : "Todos os ficheiros", "Personal files" : "Ficheiros persoais", "Sort favorites first" : "Ordene antes os favoritos", "Sort folders before files" : "Ordenar os cartafoles diante dos ficheiros", - "Enable folder tree" : "Activar a árbore de cartafoles", + "Appearance" : "Aparencia", "Show hidden files" : "Amosar os ficheiros agochados", "Crop image previews" : "Recortar a vista previa das imaxes", "Additional settings" : "Axustes adicionais", "WebDAV" : "WebDAV", "WebDAV URL" : "URL de WebDAV", - "Copy to clipboard" : "Copiar no portapapeis.", + "Copy" : "Copiar", "Warnings" : "Advertencias", - "Prevent warning dialogs from open or reenable them." : "Impedir abrir ou reactivar os diálogos de advertencia", - "Show a warning dialog when changing a file extension." : "Amosar un diálogo de advertencia ao cambiar unha extensión de ficheiro.", "Keyboard shortcuts" : "Atallos de teclado", - "Speed up your Files experience with these quick shortcuts." : "Acelere a súa experiencia con Ficheiros con estes atallos rápidos.", - "Open the actions menu for a file" : "Abrir o menú de accións dun ficheiro", - "Rename a file" : "Cambiar o nome dun ficheiro", - "Delete a file" : "Eliminar un ficheiro", - "Favorite or remove a file from favorites" : "Marcar como favorito ou retirar un ficheiro dos favoritos", - "Manage tags for a file" : "Xestionar etiquetas para un ficheiro", + "File actions" : "Accións de ficheiro", + "Rename" : "Cambiar o nome", + "Delete" : "Eliminar", + "Manage tags" : "Xestionar as etiquetas", "Selection" : "Selección", "Select all files" : "Seleccionar todos os ficheiros", - "Deselect all files" : "Deseleccionar todos os ficheiros", - "Select or deselect a file" : "Seleccione ou deseleccione un ficheiro", - "Select a range of files" : "Seleccionar un intervalo de ficheiros", + "Deselect all" : "Deseleccionar todo", "Navigation" : "Navegación", - "Navigate to the parent folder" : "Navegar ata o cartafol principal", - "Navigate to the file above" : "Navegar ata o ficheiro anterior", - "Navigate to the file below" : "Navegar ata o ficheiro seguinte", - "Navigate to the file on the left (in grid mode)" : "Navegar ata o ficheiro da esquerda (en modo de grade)", - "Navigate to the file on the right (in grid mode)" : "Navegar ata o ficheiro da dereita (en modo de grade)", "View" : "Ver", - "Toggle the grid view" : "Cambiar á vista de grade", - "Open the sidebar for a file" : "Abrir a barra lateral dun ficheiro", + "Toggle grid view" : "Alternar a vista como grade", "Show those shortcuts" : "Amosar eses atallos", "You" : "Vde.", "Shared multiple times with different people" : "Compartido varias veces con diferentes persoas", @@ -250,7 +233,6 @@ "Delete files" : "Eliminar ficheiros", "Delete folder" : "Eliminar o cartafol", "Delete folders" : "Eliminar cartafoles", - "Delete" : "Eliminar", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Está a piques de eliminar definitivamente {count} elemento","Está a piques de eliminar definitivamente {count} elementos"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Está a piques de eliminar {count} elemento","Está a piques de eliminar {count} elementos"], "Confirm deletion" : "Confirmar a eliminación", @@ -268,7 +250,6 @@ "The file does not exist anymore" : "O ficheiro xa non existe", "Choose destination" : "Escoller o destino", "Copy to {target}" : "Copiar en {target}", - "Copy" : "Copiar", "Move to {target}" : "Mover a {target}", "Move" : "Mover", "Move or copy operation failed" : "Produciuse un erro na operación de copia ou de movemento", @@ -281,8 +262,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "O ficheiro debería abrirse agora no seu dispositivo. Se non é así, comprobe se ten instalada a aplicación de escritorio.", "Retry and close" : "Tentar de novo e pechar", "Open online" : "Abrir en liña", - "Rename" : "Cambiar o nome", - "Open details" : "Abrir detalles", + "Details" : "Detalles", "View in folder" : "Ver no cartafol", "Today" : "Hoxe", "Last 7 days" : "Últimos 7 días", @@ -295,7 +275,7 @@ "PDFs" : "PDF", "Folders" : "Cartafoles", "Audio" : "Son", - "Photos and images" : "Fotos e imaxes", + "Images" : "Imaxes", "Videos" : "Vídeos", "Created new folder \"{name}\"" : "Creouse un novo cartafol «{name}»", "Unable to initialize the templates directory" : "Non é posíbel iniciar o directorio de modelos", @@ -321,7 +301,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "O nome «{newName}» xa se utiliza no cartafol «{dir}». Escolla un nome diferente.", "Could not rename \"{oldName}\"" : "Non foi posíbel cambiarlle o nome a «{oldName}»", "This operation is forbidden" : "Esta operación está prohibida", - "This directory is unavailable, please check the logs or contact the administrator" : "Este directorio non está dispoñíbel, consulte os ficheiros de rexistro ou póñase en contacto coa administración desta instancia.", "Storage is temporarily not available" : "O almacenamento non está dispoñíbel temporalmente", "Unexpected error: {error}" : "Produciuse un erro non agardado: {error}", "_%n file_::_%n files_" : ["%n ficheiro","%n ficheiros"], @@ -372,12 +351,12 @@ "Edit locally" : "Editar localmente", "Open" : "Abrir", "Could not load info for file \"{file}\"" : "Non foi posíbel cargar información para o ficheiro «{file}»", - "Details" : "Detalles", "Please select tag(s) to add to the selection" : "Escolla a etiqueta(s) para engadir á selección", "Apply tag(s) to selection" : "Aplicar etiqueta(s) á selección", "Select directory \"{dirName}\"" : "Seleccione o directorio «{dirName}»", "Select file \"{fileName}\"" : "Seleccione o ficheiro «{fileName}»", "Unable to determine date" : "Non é posíbel determinar a data", + "This directory is unavailable, please check the logs or contact the administrator" : "Este directorio non está dispoñíbel, consulte os ficheiros de rexistro ou póñase en contacto coa administración desta instancia.", "Could not move \"{file}\", target exists" : "Non foi posíbel mover «{file}», o destino xa existe", "Could not move \"{file}\"" : "Non foi posíbel mover «{file}»", "copy" : "copiar", @@ -425,15 +404,24 @@ "Not favored" : "Non favorecido", "An error occurred while trying to update the tags" : "Produciuse un erro ao tentar actualizar as etiquetas", "Upload (max. %s)" : "Envío (máx. %s)", + "\"{displayName}\" action executed successfully" : "A acción «{displayName}» executouse correctamente", + "\"{displayName}\" action failed" : "Produciuse un fallo na acción «{displayName}»", + "\"{displayName}\" failed on some elements" : "Produciuse un fallo nalgúns elementos de «{displayName}»", + "\"{displayName}\" batch action executed successfully" : "A acción por lotes «{displayName}» executouse correctamente", "Submitting fields…" : "Enviando os campos...", "Filter filenames…" : "Filtrar os nomes de ficheiro…", + "WebDAV URL copied to clipboard" : "O URL de WebDAV foi copiado no portapapeis", "Enable the grid view" : "Activar á vista de grade", + "Enable folder tree" : "Activar a árbore de cartafoles", + "Copy to clipboard" : "Copiar no portapapeis.", "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", + "Open details" : "Abrir detalles", + "Photos and images" : "Fotos e imaxes", "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"], @@ -444,6 +432,24 @@ "Personal Files" : "Ficheiros persoais", "Text file" : "Ficheiro de texto", "New text file.txt" : "Novo ficheiro de texto.txt", - "Filter file names …" : "Filtrar os nomes de ficheiro…" + "Filter file names …" : "Filtrar os nomes de ficheiro…", + "Prevent warning dialogs from open or reenable them." : "Impedir abrir ou reactivar os diálogos de advertencia", + "Show a warning dialog when changing a file extension." : "Amosar un diálogo de advertencia ao cambiar unha extensión de ficheiro.", + "Speed up your Files experience with these quick shortcuts." : "Acelere a súa experiencia con Ficheiros con estes atallos rápidos.", + "Open the actions menu for a file" : "Abrir o menú de accións dun ficheiro", + "Rename a file" : "Cambiar o nome dun ficheiro", + "Delete a file" : "Eliminar un ficheiro", + "Favorite or remove a file from favorites" : "Marcar como favorito ou retirar un ficheiro dos favoritos", + "Manage tags for a file" : "Xestionar etiquetas para un ficheiro", + "Deselect all files" : "Deseleccionar todos os ficheiros", + "Select or deselect a file" : "Seleccione ou deseleccione un ficheiro", + "Select a range of files" : "Seleccionar un intervalo de ficheiros", + "Navigate to the parent folder" : "Navegar ata o cartafol principal", + "Navigate to the file above" : "Navegar ata o ficheiro anterior", + "Navigate to the file below" : "Navegar ata o ficheiro seguinte", + "Navigate to the file on the left (in grid mode)" : "Navegar ata o ficheiro da esquerda (en modo de grade)", + "Navigate to the file on the right (in grid mode)" : "Navegar ata o ficheiro da dereita (en modo de grade)", + "Toggle the grid view" : "Cambiar á vista de grade", + "Open the sidebar for a file" : "Abrir a barra lateral dun ficheiro" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/hu.js b/apps/files/l10n/hu.js index 1309c1853ef..e4eed2d145e 100644 --- a/apps/files/l10n/hu.js +++ b/apps/files/l10n/hu.js @@ -115,9 +115,6 @@ OC.L10N.register( "Name" : "Név", "File type" : "Fájltípus", "Size" : "Méret", - "\"{displayName}\" failed on some elements" : "A(z) „{displayName}” egyes elemeken nem sikerült", - "\"{displayName}\" batch action executed successfully" : "A(z) „{displayName}” tömeges művelet sikeresen végrehajtva", - "\"{displayName}\" action failed" : "A(z) „{displayName}” művelet sikertelen", "Actions" : "Műveletek", "(selected)" : "(kiválasztva)", "List of files and folders." : "Fájlok és mappák felsorolása.", @@ -126,7 +123,6 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Ez a lista teljesítménybeli okokból nincs teljes egészében megjelenítve. A fájlok a listában navigálás során jelennek meg.", "File not found" : "A fájl nem található", "_{count} selected_::_{count} selected_" : ["{count} kijelölve","{count} kijelölve"], - "Search globally" : "Globális keresés", "{usedQuotaByte} used" : "{usedQuotaByte} felhasználva", "{used} of {quota} used" : "{used} / {quota} felhasználva", "{relative}% used" : "{relative}% felhasználva", @@ -175,7 +171,6 @@ OC.L10N.register( "Error during upload: {message}" : "Hiba a feltöltés során: {message}", "Error during upload, status code {status}" : "Hiba a feltöltés közben, állapotkód: {status}", "Unknown error during upload" : "Ismeretlen hiba a feltöltés során", - "\"{displayName}\" action executed successfully" : "A(z) „{displayName}” művelet sikeresen végrehajtva", "Loading current folder" : "Jelenlegi mappa betöltése", "Retry" : "Újra", "No files in here" : "Itt nincsenek fájlok", @@ -188,43 +183,31 @@ OC.L10N.register( "File cannot be accessed" : "A fájl nem érhető el", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "A fájl nem található, vagy nincs jogosultsága a megtekintéséhez. Kérje meg a feladót, hogy ossza meg.", "Clipboard is not available" : "A vágólap nem érhető el", - "WebDAV URL copied to clipboard" : "A WebDAV-cím a vágólapra másolva", + "General" : "Általános", "All files" : "Az összes fájl", "Personal files" : "Személyes fájlok", "Sort favorites first" : "Kedvencek előre rendezése", "Sort folders before files" : "Mappák fájlok elé rendezése", - "Enable folder tree" : "Mappafa engedélyezése", + "Appearance" : "Megjelenés", "Show hidden files" : "Rejtett fájlok megjelenítése", "Show file type column" : "Fájltípus oszlop megjelenítése", "Crop image previews" : "Kép előnézetek vágása", "Additional settings" : "További beállítások", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV-webcím", - "Copy to clipboard" : "Másolás a vágólapra", + "Copy" : "Másolás", "Warnings" : "Figyelmeztetések", - "Prevent warning dialogs from open or reenable them." : "Figyelmeztető párbeszédablakok megnyitásának megakadályozása vagy engedélyezése.", - "Show a warning dialog when changing a file extension." : "Figyelmeztető párbeszédablakok megnyitása a fájlkiterjesztés módosításakor.", "Keyboard shortcuts" : "Gyorsbillentyűk", - "Speed up your Files experience with these quick shortcuts." : "Gyorsítsa fel a fájlböngészést ezekkel a billentyűparancsokkal.", - "Open the actions menu for a file" : "Nyissa meg a fájl műveletek menüjét", - "Rename a file" : "Fájl átnevezése", - "Delete a file" : "Fájl törlése", - "Favorite or remove a file from favorites" : "Fájl hozzáadása vagy eltávolítása a kedvencek közül", - "Manage tags for a file" : "Fájl címkéinek kezelése", + "File actions" : "Fájlműveletek", + "Rename" : "Átnevezés", + "Delete" : "Törlés", + "Manage tags" : "Címkék kezelése", "Selection" : "Kijelölés", "Select all files" : "Összes fájl kijelölése", - "Deselect all files" : "Összes fájl kijelölésének törlése", - "Select or deselect a file" : "Fájl kijelölése vagy kijelölés törlése", - "Select a range of files" : "Válasszon ki fájlokat", + "Deselect all" : "Kijelölés megszüntetése", "Navigation" : "Navigáció", - "Navigate to the parent folder" : "Navigálás a szülőmappához", - "Navigate to the file above" : "Navigálás a fentebbi fájlhoz", - "Navigate to the file below" : "Navigálás a lentebbi fájlhoz", - "Navigate to the file on the left (in grid mode)" : "Navigálás a balra lévő fájlhoz (rács módban)", - "Navigate to the file on the right (in grid mode)" : "Navigálás a jobbra lévő fájlhoz (rács módban)", "View" : "Nézet", - "Toggle the grid view" : "Rácsnézet be/ki", - "Open the sidebar for a file" : "Oldalsáv megnyitása a fájlhoz", + "Toggle grid view" : "Rácsnézet be/ki", "Show those shortcuts" : "Gyorsbillentyűk megjelenítése", "You" : "Ön", "Shared multiple times with different people" : "Többször megosztva különböző személyekkel", @@ -263,7 +246,6 @@ OC.L10N.register( "Delete files" : "Fájlok törlése", "Delete folder" : "Mappa törlése", "Delete folders" : "Mappák törlése", - "Delete" : "Törlés", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["{count} elem végleges törlésére készül","{count} elem végleges törlésére készül"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["{count} elem törlésére készül","{count} elem törlésére készül"], "Confirm deletion" : "Törlés megerősítése", @@ -281,7 +263,6 @@ OC.L10N.register( "The file does not exist anymore" : "Ez a fájl már nem létezik", "Choose destination" : "Válasszon célt", "Copy to {target}" : "Másolás ide: {target}", - "Copy" : "Másolás", "Move to {target}" : "Áthelyezés ide: {target}", "Move" : "Áthelyezés", "Move or copy operation failed" : "Az áthelyezés vagy a másolás művelet sikertelen", @@ -294,8 +275,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "A fájlnak most már meg kellene nyílni az eszközén. Ha mégsem, ellenőrizze, hogy telepítve van-e az asztali alkalmazás.", "Retry and close" : "Újrapróbálás és bezárás", "Open online" : "Megnyitás online", - "Rename" : "Átnevezés", - "Open details" : "Részletek megnyitása", + "Details" : "Részletek", "View in folder" : "Megtekintés mappában", "Today" : "Ma", "Last 7 days" : "Előző 7 nap", @@ -308,7 +288,7 @@ OC.L10N.register( "PDFs" : "PDF-ek", "Folders" : "Mappák", "Audio" : "Hangok", - "Photos and images" : "Fényképek és képek", + "Images" : "Képek", "Videos" : "Videók", "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", @@ -334,7 +314,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "A(z) „{newName}” név már használatban van a(z) „{dir}” mappában. Válasszon másik nevet.", "Could not rename \"{oldName}\"" : "A(z) „{oldName}” nem nevezhető át", "This operation is forbidden" : "Ez a művelet tiltott", - "This directory is unavailable, please check the logs or contact the administrator" : "Ez a könyvtár nem érhető el, nézze meg a naplófájlokat vagy lépjen kapcsolatba az adminisztrátorral", "Storage is temporarily not available" : "A tároló átmenetileg nem érhető el", "Unexpected error: {error}" : "Váratlan hiba: {error}", "_%n file_::_%n files_" : ["%n fájl","%n fájl"], @@ -386,12 +365,12 @@ OC.L10N.register( "Edit locally" : "Szerkesztés helyileg", "Open" : "Megnyitás", "Could not load info for file \"{file}\"" : "Nem sikerült betölteni a(z) „{file}” fájl információit", - "Details" : "Részletek", "Please select tag(s) to add to the selection" : "Válassza ki a kijelöléshez adandó címkéket", "Apply tag(s) to selection" : "Címkék alkalmazása a kijelölésre", "Select directory \"{dirName}\"" : "A(z) „{dirName}” könyvtár kiválasztása", "Select file \"{fileName}\"" : "A(z) „{fileName}” fájl kiválasztása", "Unable to determine date" : "Nem lehet meghatározni a dátumot", + "This directory is unavailable, please check the logs or contact the administrator" : "Ez a könyvtár nem érhető el, nézze meg a naplófájlokat vagy lépjen kapcsolatba az adminisztrátorral", "Could not move \"{file}\", target exists" : "A(z) „{file}” nem helyezhető át, mert a cél már létezik", "Could not move \"{file}\"" : "A(z) „{file}” nem helyezhető át", "copy" : "másolat", @@ -439,15 +418,24 @@ OC.L10N.register( "Not favored" : "Nincs a kedveltek között", "An error occurred while trying to update the tags" : "Hiba történt, miközben megpróbálta frissíteni a címkéket", "Upload (max. %s)" : "Feltöltés (legfeljebb %s)", + "\"{displayName}\" action executed successfully" : "A(z) „{displayName}” művelet sikeresen végrehajtva", + "\"{displayName}\" action failed" : "A(z) „{displayName}” művelet sikertelen", + "\"{displayName}\" failed on some elements" : "A(z) „{displayName}” egyes elemeken nem sikerült", + "\"{displayName}\" batch action executed successfully" : "A(z) „{displayName}” tömeges művelet sikeresen végrehajtva", "Submitting fields…" : "Mezők beküldése…", "Filter filenames…" : "Fájlnevek szűrése…", + "WebDAV URL copied to clipboard" : "A WebDAV-cím a vágólapra másolva", "Enable the grid view" : "Rácsnézet engedélyezése", + "Enable folder tree" : "Mappafa engedélyezése", + "Copy to clipboard" : "Másolás a vágólapra", "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", + "Open details" : "Részletek megnyitása", + "Photos and images" : "Fényképek és képek", "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"], @@ -461,6 +449,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (átnevezve)", "renamed file" : "átnevezett fájl", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "A Windows-kompatibilis fájlnevek engedélyezése után a meglévő fájlok már nem módosíthatóak, de a tulajdonosaik átnevezhetik őket érvényes új nevekre.", - "Filter file names …" : "Fájlnevek szűrése…" + "Filter file names …" : "Fájlnevek szűrése…", + "Prevent warning dialogs from open or reenable them." : "Figyelmeztető párbeszédablakok megnyitásának megakadályozása vagy engedélyezése.", + "Show a warning dialog when changing a file extension." : "Figyelmeztető párbeszédablakok megnyitása a fájlkiterjesztés módosításakor.", + "Speed up your Files experience with these quick shortcuts." : "Gyorsítsa fel a fájlböngészést ezekkel a billentyűparancsokkal.", + "Open the actions menu for a file" : "Nyissa meg a fájl műveletek menüjét", + "Rename a file" : "Fájl átnevezése", + "Delete a file" : "Fájl törlése", + "Favorite or remove a file from favorites" : "Fájl hozzáadása vagy eltávolítása a kedvencek közül", + "Manage tags for a file" : "Fájl címkéinek kezelése", + "Deselect all files" : "Összes fájl kijelölésének törlése", + "Select or deselect a file" : "Fájl kijelölése vagy kijelölés törlése", + "Select a range of files" : "Válasszon ki fájlokat", + "Navigate to the parent folder" : "Navigálás a szülőmappához", + "Navigate to the file above" : "Navigálás a fentebbi fájlhoz", + "Navigate to the file below" : "Navigálás a lentebbi fájlhoz", + "Navigate to the file on the left (in grid mode)" : "Navigálás a balra lévő fájlhoz (rács módban)", + "Navigate to the file on the right (in grid mode)" : "Navigálás a jobbra lévő fájlhoz (rács módban)", + "Toggle the grid view" : "Rácsnézet be/ki", + "Open the sidebar for a file" : "Oldalsáv megnyitása a fájlhoz" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/hu.json b/apps/files/l10n/hu.json index e812807a465..098ac1f1464 100644 --- a/apps/files/l10n/hu.json +++ b/apps/files/l10n/hu.json @@ -113,9 +113,6 @@ "Name" : "Név", "File type" : "Fájltípus", "Size" : "Méret", - "\"{displayName}\" failed on some elements" : "A(z) „{displayName}” egyes elemeken nem sikerült", - "\"{displayName}\" batch action executed successfully" : "A(z) „{displayName}” tömeges művelet sikeresen végrehajtva", - "\"{displayName}\" action failed" : "A(z) „{displayName}” művelet sikertelen", "Actions" : "Műveletek", "(selected)" : "(kiválasztva)", "List of files and folders." : "Fájlok és mappák felsorolása.", @@ -124,7 +121,6 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Ez a lista teljesítménybeli okokból nincs teljes egészében megjelenítve. A fájlok a listában navigálás során jelennek meg.", "File not found" : "A fájl nem található", "_{count} selected_::_{count} selected_" : ["{count} kijelölve","{count} kijelölve"], - "Search globally" : "Globális keresés", "{usedQuotaByte} used" : "{usedQuotaByte} felhasználva", "{used} of {quota} used" : "{used} / {quota} felhasználva", "{relative}% used" : "{relative}% felhasználva", @@ -173,7 +169,6 @@ "Error during upload: {message}" : "Hiba a feltöltés során: {message}", "Error during upload, status code {status}" : "Hiba a feltöltés közben, állapotkód: {status}", "Unknown error during upload" : "Ismeretlen hiba a feltöltés során", - "\"{displayName}\" action executed successfully" : "A(z) „{displayName}” művelet sikeresen végrehajtva", "Loading current folder" : "Jelenlegi mappa betöltése", "Retry" : "Újra", "No files in here" : "Itt nincsenek fájlok", @@ -186,43 +181,31 @@ "File cannot be accessed" : "A fájl nem érhető el", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "A fájl nem található, vagy nincs jogosultsága a megtekintéséhez. Kérje meg a feladót, hogy ossza meg.", "Clipboard is not available" : "A vágólap nem érhető el", - "WebDAV URL copied to clipboard" : "A WebDAV-cím a vágólapra másolva", + "General" : "Általános", "All files" : "Az összes fájl", "Personal files" : "Személyes fájlok", "Sort favorites first" : "Kedvencek előre rendezése", "Sort folders before files" : "Mappák fájlok elé rendezése", - "Enable folder tree" : "Mappafa engedélyezése", + "Appearance" : "Megjelenés", "Show hidden files" : "Rejtett fájlok megjelenítése", "Show file type column" : "Fájltípus oszlop megjelenítése", "Crop image previews" : "Kép előnézetek vágása", "Additional settings" : "További beállítások", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV-webcím", - "Copy to clipboard" : "Másolás a vágólapra", + "Copy" : "Másolás", "Warnings" : "Figyelmeztetések", - "Prevent warning dialogs from open or reenable them." : "Figyelmeztető párbeszédablakok megnyitásának megakadályozása vagy engedélyezése.", - "Show a warning dialog when changing a file extension." : "Figyelmeztető párbeszédablakok megnyitása a fájlkiterjesztés módosításakor.", "Keyboard shortcuts" : "Gyorsbillentyűk", - "Speed up your Files experience with these quick shortcuts." : "Gyorsítsa fel a fájlböngészést ezekkel a billentyűparancsokkal.", - "Open the actions menu for a file" : "Nyissa meg a fájl műveletek menüjét", - "Rename a file" : "Fájl átnevezése", - "Delete a file" : "Fájl törlése", - "Favorite or remove a file from favorites" : "Fájl hozzáadása vagy eltávolítása a kedvencek közül", - "Manage tags for a file" : "Fájl címkéinek kezelése", + "File actions" : "Fájlműveletek", + "Rename" : "Átnevezés", + "Delete" : "Törlés", + "Manage tags" : "Címkék kezelése", "Selection" : "Kijelölés", "Select all files" : "Összes fájl kijelölése", - "Deselect all files" : "Összes fájl kijelölésének törlése", - "Select or deselect a file" : "Fájl kijelölése vagy kijelölés törlése", - "Select a range of files" : "Válasszon ki fájlokat", + "Deselect all" : "Kijelölés megszüntetése", "Navigation" : "Navigáció", - "Navigate to the parent folder" : "Navigálás a szülőmappához", - "Navigate to the file above" : "Navigálás a fentebbi fájlhoz", - "Navigate to the file below" : "Navigálás a lentebbi fájlhoz", - "Navigate to the file on the left (in grid mode)" : "Navigálás a balra lévő fájlhoz (rács módban)", - "Navigate to the file on the right (in grid mode)" : "Navigálás a jobbra lévő fájlhoz (rács módban)", "View" : "Nézet", - "Toggle the grid view" : "Rácsnézet be/ki", - "Open the sidebar for a file" : "Oldalsáv megnyitása a fájlhoz", + "Toggle grid view" : "Rácsnézet be/ki", "Show those shortcuts" : "Gyorsbillentyűk megjelenítése", "You" : "Ön", "Shared multiple times with different people" : "Többször megosztva különböző személyekkel", @@ -261,7 +244,6 @@ "Delete files" : "Fájlok törlése", "Delete folder" : "Mappa törlése", "Delete folders" : "Mappák törlése", - "Delete" : "Törlés", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["{count} elem végleges törlésére készül","{count} elem végleges törlésére készül"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["{count} elem törlésére készül","{count} elem törlésére készül"], "Confirm deletion" : "Törlés megerősítése", @@ -279,7 +261,6 @@ "The file does not exist anymore" : "Ez a fájl már nem létezik", "Choose destination" : "Válasszon célt", "Copy to {target}" : "Másolás ide: {target}", - "Copy" : "Másolás", "Move to {target}" : "Áthelyezés ide: {target}", "Move" : "Áthelyezés", "Move or copy operation failed" : "Az áthelyezés vagy a másolás művelet sikertelen", @@ -292,8 +273,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "A fájlnak most már meg kellene nyílni az eszközén. Ha mégsem, ellenőrizze, hogy telepítve van-e az asztali alkalmazás.", "Retry and close" : "Újrapróbálás és bezárás", "Open online" : "Megnyitás online", - "Rename" : "Átnevezés", - "Open details" : "Részletek megnyitása", + "Details" : "Részletek", "View in folder" : "Megtekintés mappában", "Today" : "Ma", "Last 7 days" : "Előző 7 nap", @@ -306,7 +286,7 @@ "PDFs" : "PDF-ek", "Folders" : "Mappák", "Audio" : "Hangok", - "Photos and images" : "Fényképek és képek", + "Images" : "Képek", "Videos" : "Videók", "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", @@ -332,7 +312,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "A(z) „{newName}” név már használatban van a(z) „{dir}” mappában. Válasszon másik nevet.", "Could not rename \"{oldName}\"" : "A(z) „{oldName}” nem nevezhető át", "This operation is forbidden" : "Ez a művelet tiltott", - "This directory is unavailable, please check the logs or contact the administrator" : "Ez a könyvtár nem érhető el, nézze meg a naplófájlokat vagy lépjen kapcsolatba az adminisztrátorral", "Storage is temporarily not available" : "A tároló átmenetileg nem érhető el", "Unexpected error: {error}" : "Váratlan hiba: {error}", "_%n file_::_%n files_" : ["%n fájl","%n fájl"], @@ -384,12 +363,12 @@ "Edit locally" : "Szerkesztés helyileg", "Open" : "Megnyitás", "Could not load info for file \"{file}\"" : "Nem sikerült betölteni a(z) „{file}” fájl információit", - "Details" : "Részletek", "Please select tag(s) to add to the selection" : "Válassza ki a kijelöléshez adandó címkéket", "Apply tag(s) to selection" : "Címkék alkalmazása a kijelölésre", "Select directory \"{dirName}\"" : "A(z) „{dirName}” könyvtár kiválasztása", "Select file \"{fileName}\"" : "A(z) „{fileName}” fájl kiválasztása", "Unable to determine date" : "Nem lehet meghatározni a dátumot", + "This directory is unavailable, please check the logs or contact the administrator" : "Ez a könyvtár nem érhető el, nézze meg a naplófájlokat vagy lépjen kapcsolatba az adminisztrátorral", "Could not move \"{file}\", target exists" : "A(z) „{file}” nem helyezhető át, mert a cél már létezik", "Could not move \"{file}\"" : "A(z) „{file}” nem helyezhető át", "copy" : "másolat", @@ -437,15 +416,24 @@ "Not favored" : "Nincs a kedveltek között", "An error occurred while trying to update the tags" : "Hiba történt, miközben megpróbálta frissíteni a címkéket", "Upload (max. %s)" : "Feltöltés (legfeljebb %s)", + "\"{displayName}\" action executed successfully" : "A(z) „{displayName}” művelet sikeresen végrehajtva", + "\"{displayName}\" action failed" : "A(z) „{displayName}” művelet sikertelen", + "\"{displayName}\" failed on some elements" : "A(z) „{displayName}” egyes elemeken nem sikerült", + "\"{displayName}\" batch action executed successfully" : "A(z) „{displayName}” tömeges művelet sikeresen végrehajtva", "Submitting fields…" : "Mezők beküldése…", "Filter filenames…" : "Fájlnevek szűrése…", + "WebDAV URL copied to clipboard" : "A WebDAV-cím a vágólapra másolva", "Enable the grid view" : "Rácsnézet engedélyezése", + "Enable folder tree" : "Mappafa engedélyezése", + "Copy to clipboard" : "Másolás a vágólapra", "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", + "Open details" : "Részletek megnyitása", + "Photos and images" : "Fényképek és képek", "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"], @@ -459,6 +447,24 @@ "%1$s (renamed)" : "%1$s (átnevezve)", "renamed file" : "átnevezett fájl", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "A Windows-kompatibilis fájlnevek engedélyezése után a meglévő fájlok már nem módosíthatóak, de a tulajdonosaik átnevezhetik őket érvényes új nevekre.", - "Filter file names …" : "Fájlnevek szűrése…" + "Filter file names …" : "Fájlnevek szűrése…", + "Prevent warning dialogs from open or reenable them." : "Figyelmeztető párbeszédablakok megnyitásának megakadályozása vagy engedélyezése.", + "Show a warning dialog when changing a file extension." : "Figyelmeztető párbeszédablakok megnyitása a fájlkiterjesztés módosításakor.", + "Speed up your Files experience with these quick shortcuts." : "Gyorsítsa fel a fájlböngészést ezekkel a billentyűparancsokkal.", + "Open the actions menu for a file" : "Nyissa meg a fájl műveletek menüjét", + "Rename a file" : "Fájl átnevezése", + "Delete a file" : "Fájl törlése", + "Favorite or remove a file from favorites" : "Fájl hozzáadása vagy eltávolítása a kedvencek közül", + "Manage tags for a file" : "Fájl címkéinek kezelése", + "Deselect all files" : "Összes fájl kijelölésének törlése", + "Select or deselect a file" : "Fájl kijelölése vagy kijelölés törlése", + "Select a range of files" : "Válasszon ki fájlokat", + "Navigate to the parent folder" : "Navigálás a szülőmappához", + "Navigate to the file above" : "Navigálás a fentebbi fájlhoz", + "Navigate to the file below" : "Navigálás a lentebbi fájlhoz", + "Navigate to the file on the left (in grid mode)" : "Navigálás a balra lévő fájlhoz (rács módban)", + "Navigate to the file on the right (in grid mode)" : "Navigálás a jobbra lévő fájlhoz (rács módban)", + "Toggle the grid view" : "Rácsnézet be/ki", + "Open the sidebar for a file" : "Oldalsáv megnyitása a fájlhoz" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/is.js b/apps/files/l10n/is.js index 80f3dae8c65..cc8b51873b1 100644 --- a/apps/files/l10n/is.js +++ b/apps/files/l10n/is.js @@ -106,8 +106,6 @@ OC.L10N.register( "Toggle selection for all files and folders" : "Víxla vali af/á fyrir allar skrár og möppur", "Name" : "Heiti", "Size" : "Stærð", - "\"{displayName}\" batch action executed successfully" : "Tókst að framkvæma \"{displayName}\" magnvinnsluaðgerð", - "\"{displayName}\" action failed" : "\"{displayName}\" aðgerð mistókst", "Actions" : "Aðgerðir", "(selected)" : "(valið)", "List of files and folders." : "Listi yfir skrár og möppur.", @@ -115,7 +113,6 @@ OC.L10N.register( "Column headers with buttons are sortable." : "Dálkfyrirsagnir með hnöppum eru raðanlegar", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Til að halda sem bestum afköstum er þessi listi ekki myndgerður að fullu. Skrárnar munu birtast eftir því sem farið er í gegnum listann.", "File not found" : "Skrá finnst ekki", - "Search globally" : "Leita allstaðar", "{usedQuotaByte} used" : "{usedQuotaByte} notað", "{used} of {quota} used" : "{used} af {quota} notað", "{relative}% used" : "{relative}% notað", @@ -158,7 +155,6 @@ OC.L10N.register( "Error during upload: {message}" : "Villa við innsendingu: {message}", "Error during upload, status code {status}" : "Villa við innsendingu, stöðukóði: {status}", "Unknown error during upload" : "Óþekkt villa við innsendingu", - "\"{displayName}\" action executed successfully" : "Tókst að framkvæma \"{displayName}\" aðgerð", "Loading current folder" : "Hleð inn núverandi möppu", "Retry" : "Reyna aftur", "No files in here" : "Engar skrár hér", @@ -171,39 +167,28 @@ OC.L10N.register( "File cannot be accessed" : "Skráin er ekki aðgengileg", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Skráin fannst ekki eða að þú hefur ekki heimildir til að skoða hana. Biddu sendandann um að deila henni.", "Clipboard is not available" : "Klippispjald er ekki tiltækt", - "WebDAV URL copied to clipboard" : "WebDAV-slóð afrituð á klippispjaldið", + "General" : "Almennt", "All files" : "Allar skrár", "Personal files" : "Einkaskrár", "Sort favorites first" : "Raða eftirlætum fremst", "Sort folders before files" : "Raða möppum á undan skrám", - "Enable folder tree" : "Virkja möppugreinar", + "Appearance" : "Útlit", "Show hidden files" : "Sýna faldar skrár", "Crop image previews" : "Skera utan af forskoðun mynda", "Additional settings" : "Valfrjálsar stillingar", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV-slóð", - "Copy to clipboard" : "Afrita á klippispjald", + "Copy" : "Afrita", "Keyboard shortcuts" : "Flýtileiðir á lyklaborði", - "Speed up your Files experience with these quick shortcuts." : "Flýttu fyrir vinnu þinni með skrár með þessum flýtilyklum.", - "Open the actions menu for a file" : "Opna aðgerðavalmynd fyrir skrá", - "Rename a file" : "Endurnefna skrá", - "Delete a file" : "Eyða skrá", - "Favorite or remove a file from favorites" : "Setja skrá í eða fjarlægja úr eftirlætum", - "Manage tags for a file" : "Sýsla með merki fyrir skrá", + "Rename" : "Endurnefna", + "Delete" : "Eyða", + "Manage tags" : "Sýsla með merki", "Selection" : "Val", "Select all files" : "Velja allar skrár", - "Deselect all files" : "Afvelja allar skrár", - "Select or deselect a file" : "Velja eða afvelja skrá", - "Select a range of files" : "Velja svið skráa", + "Deselect all" : "Afvelja allt", "Navigation" : "Yfirsýn", - "Navigate to the parent folder" : "Fara í yfirmöppuna", - "Navigate to the file above" : "Fara á skrána fyrir ofan", - "Navigate to the file below" : "Fara á skrána fyrir neðan", - "Navigate to the file on the left (in grid mode)" : "Fara á skrána til vinstri (í reitayfirliti)", - "Navigate to the file on the right (in grid mode)" : "Fara á skrána til hægri (í reitayfirliti)", "View" : "Skoða", - "Toggle the grid view" : "Víxla reitayfirliti af/á", - "Open the sidebar for a file" : "Opna hliðarspjald fyrir skrá", + "Toggle grid view" : "Víxla reitasýn af/á", "Show those shortcuts" : "Sýna þessa flýtilykla", "You" : "Þú", "Shared multiple times with different people" : "Deilt mörgum sinnum með mismunandi fólki", @@ -238,7 +223,6 @@ OC.L10N.register( "Delete files" : "Eyða skrám", "Delete folder" : "Eyða möppu", "Delete folders" : "Eyða möppum", - "Delete" : "Eyða", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Þú ert við það að eyða endanlega {count} atriði","Þú ert við það að eyða endanlega {count} atriðum"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Þú ert við það að eyða {count} atriði","Þú ert við það að eyða {count} atriðum"], "Confirm deletion" : "Staðfesta eyðingu", @@ -256,7 +240,6 @@ OC.L10N.register( "The file does not exist anymore" : "Skráin er ekki lengur til", "Choose destination" : "Veldu áfangastað", "Copy to {target}" : "Afrita í {target}", - "Copy" : "Afrita", "Move to {target}" : "Færa í {target}", "Move" : "Færa", "Move or copy operation failed" : "Aðgerð við að færa eða afrita mistókst", @@ -266,8 +249,7 @@ OC.L10N.register( "Failed to redirect to client" : "Mistókst að endurbeina til biðlara", "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Skráin ætti núna að opnast á tækinu þínu. Ef það gerist ekki, ættirðu að ganga úr skugga um að þú sért með vinnutölvuforritið uppsett.", "Retry and close" : "Prófa aftur og loka", - "Rename" : "Endurnefna", - "Open details" : "Opna nánari upplýsingar", + "Details" : "Nánar", "View in folder" : "Skoða í möppu", "Today" : "Í dag", "Last 7 days" : "Síðustu 7 daga", @@ -280,7 +262,7 @@ OC.L10N.register( "PDFs" : "PDF-skrár", "Folders" : "Möppur", "Audio" : "Hljóð", - "Photos and images" : "Myndefni", + "Images" : "Myndir", "Videos" : "Myndskeið", "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", @@ -306,7 +288,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Heitið \"{newName}\" er nú þegar notað í \"{dir}\" möppunni. Veldu eitthvað annað nafn.", "Could not rename \"{oldName}\"" : "Tókst ekki að endurnefna \"{oldName}\"", "This operation is forbidden" : "Þessi aðgerð er bönnuð", - "This directory is unavailable, please check the logs or contact the administrator" : "Þessi mappa er ekki tiltæk, athugaðu atvikaskrár eða hafðu samband við kerfissjóra", "Storage is temporarily not available" : "Gagnageymsla ekki tiltæk í augnablikinu", "Unexpected error: {error}" : "Óvænt villa: {error}", "_%n file_::_%n files_" : ["%n skrá","%n skrár"], @@ -357,12 +338,12 @@ OC.L10N.register( "Edit locally" : "Breyta staðvært", "Open" : "Opna", "Could not load info for file \"{file}\"" : "Gat ekki lesið upplýsingar um skrána \"{file}\"", - "Details" : "Nánar", "Please select tag(s) to add to the selection" : "Veldu merki til að bæta á valið", "Apply tag(s) to selection" : "Beita merki/merkjum á valið", "Select directory \"{dirName}\"" : "Veldu möppuna \"{dirName}\"", "Select file \"{fileName}\"" : "Veldu skrána \"{fileName}\"", "Unable to determine date" : "Tókst ekki að ákvarða dagsetningu", + "This directory is unavailable, please check the logs or contact the administrator" : "Þessi mappa er ekki tiltæk, athugaðu atvikaskrár eða hafðu samband við kerfissjóra", "Could not move \"{file}\", target exists" : "Gat ekki fært \"{file}\", markskrá er til", "Could not move \"{file}\"" : "Gat ekki fært \"{file}\"", "copy" : "afrit", @@ -410,15 +391,23 @@ OC.L10N.register( "Not favored" : "Ekki eftirlæti", "An error occurred while trying to update the tags" : "Villa kom upp við að reyna að uppfæra merkin", "Upload (max. %s)" : "Senda inn (hám. %s)", + "\"{displayName}\" action executed successfully" : "Tókst að framkvæma \"{displayName}\" aðgerð", + "\"{displayName}\" action failed" : "\"{displayName}\" aðgerð mistókst", + "\"{displayName}\" batch action executed successfully" : "Tókst að framkvæma \"{displayName}\" magnvinnsluaðgerð", "Submitting fields…" : "Sendi inn gögn úr reitum…", "Filter filenames…" : "Sía skráaheiti…", + "WebDAV URL copied to clipboard" : "WebDAV-slóð afrituð á klippispjaldið", "Enable the grid view" : "Virkja reitasýnina", + "Enable folder tree" : "Virkja möppugreinar", + "Copy to clipboard" : "Afrita á klippispjald", "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", + "Open details" : "Opna nánari upplýsingar", + "Photos and images" : "Myndefni", "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"], @@ -428,6 +417,22 @@ OC.L10N.register( "All folders" : "Allar möppur", "Personal Files" : "Einkaskrár", "Text file" : "Textaskrá", - "New text file.txt" : "Ný textaskrá.txt" + "New text file.txt" : "Ný textaskrá.txt", + "Speed up your Files experience with these quick shortcuts." : "Flýttu fyrir vinnu þinni með skrár með þessum flýtilyklum.", + "Open the actions menu for a file" : "Opna aðgerðavalmynd fyrir skrá", + "Rename a file" : "Endurnefna skrá", + "Delete a file" : "Eyða skrá", + "Favorite or remove a file from favorites" : "Setja skrá í eða fjarlægja úr eftirlætum", + "Manage tags for a file" : "Sýsla með merki fyrir skrá", + "Deselect all files" : "Afvelja allar skrár", + "Select or deselect a file" : "Velja eða afvelja skrá", + "Select a range of files" : "Velja svið skráa", + "Navigate to the parent folder" : "Fara í yfirmöppuna", + "Navigate to the file above" : "Fara á skrána fyrir ofan", + "Navigate to the file below" : "Fara á skrána fyrir neðan", + "Navigate to the file on the left (in grid mode)" : "Fara á skrána til vinstri (í reitayfirliti)", + "Navigate to the file on the right (in grid mode)" : "Fara á skrána til hægri (í reitayfirliti)", + "Toggle the grid view" : "Víxla reitayfirliti af/á", + "Open the sidebar for a file" : "Opna hliðarspjald fyrir skrá" }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/apps/files/l10n/is.json b/apps/files/l10n/is.json index f4453607157..f1b782301f9 100644 --- a/apps/files/l10n/is.json +++ b/apps/files/l10n/is.json @@ -104,8 +104,6 @@ "Toggle selection for all files and folders" : "Víxla vali af/á fyrir allar skrár og möppur", "Name" : "Heiti", "Size" : "Stærð", - "\"{displayName}\" batch action executed successfully" : "Tókst að framkvæma \"{displayName}\" magnvinnsluaðgerð", - "\"{displayName}\" action failed" : "\"{displayName}\" aðgerð mistókst", "Actions" : "Aðgerðir", "(selected)" : "(valið)", "List of files and folders." : "Listi yfir skrár og möppur.", @@ -113,7 +111,6 @@ "Column headers with buttons are sortable." : "Dálkfyrirsagnir með hnöppum eru raðanlegar", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Til að halda sem bestum afköstum er þessi listi ekki myndgerður að fullu. Skrárnar munu birtast eftir því sem farið er í gegnum listann.", "File not found" : "Skrá finnst ekki", - "Search globally" : "Leita allstaðar", "{usedQuotaByte} used" : "{usedQuotaByte} notað", "{used} of {quota} used" : "{used} af {quota} notað", "{relative}% used" : "{relative}% notað", @@ -156,7 +153,6 @@ "Error during upload: {message}" : "Villa við innsendingu: {message}", "Error during upload, status code {status}" : "Villa við innsendingu, stöðukóði: {status}", "Unknown error during upload" : "Óþekkt villa við innsendingu", - "\"{displayName}\" action executed successfully" : "Tókst að framkvæma \"{displayName}\" aðgerð", "Loading current folder" : "Hleð inn núverandi möppu", "Retry" : "Reyna aftur", "No files in here" : "Engar skrár hér", @@ -169,39 +165,28 @@ "File cannot be accessed" : "Skráin er ekki aðgengileg", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Skráin fannst ekki eða að þú hefur ekki heimildir til að skoða hana. Biddu sendandann um að deila henni.", "Clipboard is not available" : "Klippispjald er ekki tiltækt", - "WebDAV URL copied to clipboard" : "WebDAV-slóð afrituð á klippispjaldið", + "General" : "Almennt", "All files" : "Allar skrár", "Personal files" : "Einkaskrár", "Sort favorites first" : "Raða eftirlætum fremst", "Sort folders before files" : "Raða möppum á undan skrám", - "Enable folder tree" : "Virkja möppugreinar", + "Appearance" : "Útlit", "Show hidden files" : "Sýna faldar skrár", "Crop image previews" : "Skera utan af forskoðun mynda", "Additional settings" : "Valfrjálsar stillingar", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV-slóð", - "Copy to clipboard" : "Afrita á klippispjald", + "Copy" : "Afrita", "Keyboard shortcuts" : "Flýtileiðir á lyklaborði", - "Speed up your Files experience with these quick shortcuts." : "Flýttu fyrir vinnu þinni með skrár með þessum flýtilyklum.", - "Open the actions menu for a file" : "Opna aðgerðavalmynd fyrir skrá", - "Rename a file" : "Endurnefna skrá", - "Delete a file" : "Eyða skrá", - "Favorite or remove a file from favorites" : "Setja skrá í eða fjarlægja úr eftirlætum", - "Manage tags for a file" : "Sýsla með merki fyrir skrá", + "Rename" : "Endurnefna", + "Delete" : "Eyða", + "Manage tags" : "Sýsla með merki", "Selection" : "Val", "Select all files" : "Velja allar skrár", - "Deselect all files" : "Afvelja allar skrár", - "Select or deselect a file" : "Velja eða afvelja skrá", - "Select a range of files" : "Velja svið skráa", + "Deselect all" : "Afvelja allt", "Navigation" : "Yfirsýn", - "Navigate to the parent folder" : "Fara í yfirmöppuna", - "Navigate to the file above" : "Fara á skrána fyrir ofan", - "Navigate to the file below" : "Fara á skrána fyrir neðan", - "Navigate to the file on the left (in grid mode)" : "Fara á skrána til vinstri (í reitayfirliti)", - "Navigate to the file on the right (in grid mode)" : "Fara á skrána til hægri (í reitayfirliti)", "View" : "Skoða", - "Toggle the grid view" : "Víxla reitayfirliti af/á", - "Open the sidebar for a file" : "Opna hliðarspjald fyrir skrá", + "Toggle grid view" : "Víxla reitasýn af/á", "Show those shortcuts" : "Sýna þessa flýtilykla", "You" : "Þú", "Shared multiple times with different people" : "Deilt mörgum sinnum með mismunandi fólki", @@ -236,7 +221,6 @@ "Delete files" : "Eyða skrám", "Delete folder" : "Eyða möppu", "Delete folders" : "Eyða möppum", - "Delete" : "Eyða", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Þú ert við það að eyða endanlega {count} atriði","Þú ert við það að eyða endanlega {count} atriðum"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Þú ert við það að eyða {count} atriði","Þú ert við það að eyða {count} atriðum"], "Confirm deletion" : "Staðfesta eyðingu", @@ -254,7 +238,6 @@ "The file does not exist anymore" : "Skráin er ekki lengur til", "Choose destination" : "Veldu áfangastað", "Copy to {target}" : "Afrita í {target}", - "Copy" : "Afrita", "Move to {target}" : "Færa í {target}", "Move" : "Færa", "Move or copy operation failed" : "Aðgerð við að færa eða afrita mistókst", @@ -264,8 +247,7 @@ "Failed to redirect to client" : "Mistókst að endurbeina til biðlara", "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Skráin ætti núna að opnast á tækinu þínu. Ef það gerist ekki, ættirðu að ganga úr skugga um að þú sért með vinnutölvuforritið uppsett.", "Retry and close" : "Prófa aftur og loka", - "Rename" : "Endurnefna", - "Open details" : "Opna nánari upplýsingar", + "Details" : "Nánar", "View in folder" : "Skoða í möppu", "Today" : "Í dag", "Last 7 days" : "Síðustu 7 daga", @@ -278,7 +260,7 @@ "PDFs" : "PDF-skrár", "Folders" : "Möppur", "Audio" : "Hljóð", - "Photos and images" : "Myndefni", + "Images" : "Myndir", "Videos" : "Myndskeið", "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", @@ -304,7 +286,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Heitið \"{newName}\" er nú þegar notað í \"{dir}\" möppunni. Veldu eitthvað annað nafn.", "Could not rename \"{oldName}\"" : "Tókst ekki að endurnefna \"{oldName}\"", "This operation is forbidden" : "Þessi aðgerð er bönnuð", - "This directory is unavailable, please check the logs or contact the administrator" : "Þessi mappa er ekki tiltæk, athugaðu atvikaskrár eða hafðu samband við kerfissjóra", "Storage is temporarily not available" : "Gagnageymsla ekki tiltæk í augnablikinu", "Unexpected error: {error}" : "Óvænt villa: {error}", "_%n file_::_%n files_" : ["%n skrá","%n skrár"], @@ -355,12 +336,12 @@ "Edit locally" : "Breyta staðvært", "Open" : "Opna", "Could not load info for file \"{file}\"" : "Gat ekki lesið upplýsingar um skrána \"{file}\"", - "Details" : "Nánar", "Please select tag(s) to add to the selection" : "Veldu merki til að bæta á valið", "Apply tag(s) to selection" : "Beita merki/merkjum á valið", "Select directory \"{dirName}\"" : "Veldu möppuna \"{dirName}\"", "Select file \"{fileName}\"" : "Veldu skrána \"{fileName}\"", "Unable to determine date" : "Tókst ekki að ákvarða dagsetningu", + "This directory is unavailable, please check the logs or contact the administrator" : "Þessi mappa er ekki tiltæk, athugaðu atvikaskrár eða hafðu samband við kerfissjóra", "Could not move \"{file}\", target exists" : "Gat ekki fært \"{file}\", markskrá er til", "Could not move \"{file}\"" : "Gat ekki fært \"{file}\"", "copy" : "afrit", @@ -408,15 +389,23 @@ "Not favored" : "Ekki eftirlæti", "An error occurred while trying to update the tags" : "Villa kom upp við að reyna að uppfæra merkin", "Upload (max. %s)" : "Senda inn (hám. %s)", + "\"{displayName}\" action executed successfully" : "Tókst að framkvæma \"{displayName}\" aðgerð", + "\"{displayName}\" action failed" : "\"{displayName}\" aðgerð mistókst", + "\"{displayName}\" batch action executed successfully" : "Tókst að framkvæma \"{displayName}\" magnvinnsluaðgerð", "Submitting fields…" : "Sendi inn gögn úr reitum…", "Filter filenames…" : "Sía skráaheiti…", + "WebDAV URL copied to clipboard" : "WebDAV-slóð afrituð á klippispjaldið", "Enable the grid view" : "Virkja reitasýnina", + "Enable folder tree" : "Virkja möppugreinar", + "Copy to clipboard" : "Afrita á klippispjald", "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", + "Open details" : "Opna nánari upplýsingar", + "Photos and images" : "Myndefni", "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"], @@ -426,6 +415,22 @@ "All folders" : "Allar möppur", "Personal Files" : "Einkaskrár", "Text file" : "Textaskrá", - "New text file.txt" : "Ný textaskrá.txt" + "New text file.txt" : "Ný textaskrá.txt", + "Speed up your Files experience with these quick shortcuts." : "Flýttu fyrir vinnu þinni með skrár með þessum flýtilyklum.", + "Open the actions menu for a file" : "Opna aðgerðavalmynd fyrir skrá", + "Rename a file" : "Endurnefna skrá", + "Delete a file" : "Eyða skrá", + "Favorite or remove a file from favorites" : "Setja skrá í eða fjarlægja úr eftirlætum", + "Manage tags for a file" : "Sýsla með merki fyrir skrá", + "Deselect all files" : "Afvelja allar skrár", + "Select or deselect a file" : "Velja eða afvelja skrá", + "Select a range of files" : "Velja svið skráa", + "Navigate to the parent folder" : "Fara í yfirmöppuna", + "Navigate to the file above" : "Fara á skrána fyrir ofan", + "Navigate to the file below" : "Fara á skrána fyrir neðan", + "Navigate to the file on the left (in grid mode)" : "Fara á skrána til vinstri (í reitayfirliti)", + "Navigate to the file on the right (in grid mode)" : "Fara á skrána til hægri (í reitayfirliti)", + "Toggle the grid view" : "Víxla reitayfirliti af/á", + "Open the sidebar for a file" : "Opna hliðarspjald fyrir skrá" },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" }
\ No newline at end of file diff --git a/apps/files/l10n/it.js b/apps/files/l10n/it.js index 04c42e72a56..703cc336b2b 100644 --- a/apps/files/l10n/it.js +++ b/apps/files/l10n/it.js @@ -115,9 +115,9 @@ OC.L10N.register( "Name" : "Nome", "File type" : "Tipo di file", "Size" : "Dimensione", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" non riuscito su alcuni elementi", - "\"{displayName}\" batch action executed successfully" : "L'azione batch \"{displayName}\" è stata eseguita correttamente", - "\"{displayName}\" action failed" : "L'azione \"{displayName}\" non è riuscita", + "{displayName}: failed on some elements" : "{displayName}: non riuscito su alcuni elementi", + "{displayName}: done" : "{displayName}: fatto", + "{displayName}: failed" : "{displayName}: non riuscito", "Actions" : "Azioni", "(selected)" : "(selezionato)", "List of files and folders." : "Lista di file e cartelle.", @@ -126,11 +126,10 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Questa lista non è stata mostrata completamente per ragioni di prestazioni. I file verranno mostrati durante la navigazione della lista.", "File not found" : "File non trovato", "_{count} selected_::_{count} selected_" : ["{count} selezionato","{count} selezionati","{count} selezionati"], - "Search globally by filename …" : "Cerca globalmente per nome file…", - "Search here by filename …" : "Cerca qui per nome file…", + "Search everywhere …" : "Cerca ovunque…", + "Search here …" : "Cerca qui…", "Search scope options" : "Opzioni nell'ambito di ricerca", - "Filter and search from this location" : "Filtra e cerca da questa posizione", - "Search globally" : "Cerca globalmente", + "Search here" : "Cerca qui", "{usedQuotaByte} used" : "{usedQuotaByte} usato", "{used} of {quota} used" : "{used} di {quota} utilizzati", "{relative}% used" : "{relative}% usato", @@ -180,7 +179,6 @@ OC.L10N.register( "Error during upload: {message}" : "Errore durante il caricamento: {message}", "Error during upload, status code {status}" : "Errore durante il caricamento, codice di stato {status}", "Unknown error during upload" : "Errore sconosciuto durante il caricamento", - "\"{displayName}\" action executed successfully" : "L'azione \"{displayName}\" è stata eseguita correttamente", "Loading current folder" : "Sto caricando la cartella corrente", "Retry" : "Riprova", "No files in here" : "Qui non c'è alcun file", @@ -195,49 +193,48 @@ OC.L10N.register( "No search results for “{query}”" : "Nessun risultato di ricerca per “{query}”", "Search for files" : "Cerca file", "Clipboard is not available" : "Appunti non disponibili", - "WebDAV URL copied to clipboard" : "L'URL WebDAV è stato copiato negli appunti", + "WebDAV URL copied" : "URL WebDAV copiato", + "General" : "Generale", "Default view" : "Vista predefinita", "All files" : "Tutti i file", "Personal files" : "File personali", "Sort favorites first" : "Ordina prima i preferiti", "Sort folders before files" : "Ordina cartelle prima dei files", - "Enable folder tree" : "Abilita l'albero delle cartelle", - "Visual settings" : "Impostazioni visive", + "Folder tree" : "Albero delle cartella", + "Appearance" : "Aspetto", "Show hidden files" : "Mostra i file nascosti", "Show file type column" : "Mostra colonna tipo di file", + "Show file extensions" : "Mostra estensioni di file", "Crop image previews" : "Ritaglia le anteprime delle immagini", - "Show files extensions" : "Mostra le estensioni dei file", "Additional settings" : "Impostazioni aggiuntive", "WebDAV" : "WebDAV", "WebDAV URL" : "URL WebDAV", - "Copy to clipboard" : "Copia negli appunti", - "Use this address to access your Files via WebDAV." : "Utilizza questo indirizzo per accedere ai tuoi file tramite WebDAV.", + "Copy" : "Copia", + "How to access files using WebDAV" : "Come accedere ai file tramite WebDAV", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Per il tuo account è abilitata l'autenticazione a due fattori, pertanto devi utilizzare una password dell'app per connetterti a un client WebDAV esterno.", "Warnings" : "Avvertenze", - "Prevent warning dialogs from open or reenable them." : "Impedire l'apertura delle finestre di dialogo di avviso o riattivarle.", - "Show a warning dialog when changing a file extension." : "Mostra una finestra di dialogo di avviso quando si modifica l'estensione di un file.", - "Show a warning dialog when deleting files." : "Mostra un dialogo di avviso quando si cancellano dei file.", + "Warn before changing a file extension" : "Avvisa prima di modificare l'estensione di un file", + "Warn before deleting files" : "Avvisa prima di eliminare i file", "Keyboard shortcuts" : "Scorciatoie da tastiera", - "Speed up your Files experience with these quick shortcuts." : "Velocizza la tua esperienza con i File con queste rapide scorciatoie.", - "Open the actions menu for a file" : "Aprire il menu delle azioni per un file", - "Rename a file" : "Rinominare un file", - "Delete a file" : "Eliminare un file", - "Favorite or remove a file from favorites" : "Aggiungere ai Preferiti o rimuovere un file dai preferiti", - "Manage tags for a file" : "Gestire i tag per un file", + "File actions" : "Azioni sui file", + "Rename" : "Rinomina", + "Delete" : "Elimina", + "Add or remove favorite" : "Aggiungi o rimuovi preferito", + "Manage tags" : "Gestisci etichette", "Selection" : "Selezione", "Select all files" : "Seleziona tutti i file", - "Deselect all files" : "Deseleziona tutti i file", - "Select or deselect a file" : "Seleziona o deseleziona un file", - "Select a range of files" : "Seleziona un intervallo di file", + "Deselect all" : "Deseleziona tutto", + "Select or deselect" : "Seleziona o deseleziona", + "Select a range" : "Seleziona un intervallo", "Navigation" : "Navigazione", - "Navigate to the parent folder" : "Passare alla cartella padre", - "Navigate to the file above" : "Vai al file sopra", - "Navigate to the file below" : "Vai al file qui sotto", - "Navigate to the file on the left (in grid mode)" : "Navigare nel file a sinistra (in modalità griglia)", - "Navigate to the file on the right (in grid mode)" : "Navigare nel file a destra (in modalità griglia)", + "Go to parent folder" : "Vai alla cartella padre", + "Go to file above" : "Vai al file sopra", + "Go to file below" : "Vai al file sotto", + "Go left in grid" : "Vai a sinistra nella griglia", + "Go right in grid" : "Vai a destra nella griglia", "View" : "Visualizza", - "Toggle the grid view" : "Attiva la vista a griglia", - "Open the sidebar for a file" : "Aprire la barra laterale per un file", + "Toggle grid view" : "Commuta la vista a griglia", + "Open file sidebar" : "Apri la barra laterale del file", "Show those shortcuts" : "Mostra quelle scorciatoie", "You" : "Tu", "Shared multiple times with different people" : "Condiviso più volte con diverse persone", @@ -276,7 +273,6 @@ OC.L10N.register( "Delete files" : "Elimina i file", "Delete folder" : "Elimina cartella", "Delete folders" : "Elimina la cartella", - "Delete" : "Elimina", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Stai per eliminare permanentemente {count} elemento","Stai per eliminare permanentemente {count} elementi","Stai per eliminare permanentemente {count} elementi"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Stai per eliminare {count} elemento","Stai per eliminare {count} elementi","Stai per eliminare {count} elementi"], "Confirm deletion" : "Conferma l'eliminazione", @@ -294,7 +290,6 @@ OC.L10N.register( "The file does not exist anymore" : "Il file non esiste più", "Choose destination" : "Scegli la destinazione", "Copy to {target}" : "Copia in {target}", - "Copy" : "Copia", "Move to {target}" : "Sposta in {target}", "Move" : "Sposta", "Move or copy operation failed" : "Operazione di spostamento o copia fallita", @@ -307,8 +302,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Il file dovrebbe ora aprirsi sul tuo dispositivo. In caso contrario, controlla di aver installato l'app desktop.", "Retry and close" : "Riprova e chiudi", "Open online" : "Apri online", - "Rename" : "Rinomina", - "Open details" : "Apri i dettagli", + "Details" : "Dettagli", "View in folder" : "Visualizza nella cartella", "Today" : "Ogg", "Last 7 days" : "Ultimi 7 giorni", @@ -321,7 +315,7 @@ OC.L10N.register( "PDFs" : "PDF", "Folders" : "Cartelle", "Audio" : "Audio", - "Photos and images" : "Foto e immagini", + "Images" : "Immagini", "Videos" : "Video", "Created new folder \"{name}\"" : "Crea una nuova cartella \"{name}\"", "Unable to initialize the templates directory" : "Impossibile inizializzare la cartella dei modelli", @@ -348,7 +342,7 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Il nome \"{newName}\" è attualmente in uso nella cartella \"{dir}\". Scegli un nome diverso.", "Could not rename \"{oldName}\"" : "Impossibile rinominare \"{oldName}\"", "This operation is forbidden" : "Questa operazione è vietata", - "This directory is unavailable, please check the logs or contact the administrator" : "Questa cartella non è disponibile, controlla i log o contatta l'amministratore", + "This folder is unavailable, please try again later or contact the administration" : "Questa cartella non è disponibile, riprova più tardi o contatta l'amministrazione", "Storage is temporarily not available" : "L'archiviazione è temporaneamente non disponibile", "Unexpected error: {error}" : "Errore imprevisto: {error}", "_%n file_::_%n files_" : ["%n file","%n file","%n file"], @@ -363,7 +357,6 @@ OC.L10N.register( "No favorites yet" : "Nessun preferito ancora", "Files and folders you mark as favorite will show up here" : "I file e le cartelle che marchi come preferiti saranno mostrati qui", "List of your files and folders." : "Lista dei tuoi file e cartelle.", - "Folder tree" : "Albero delle cartella", "List of your files and folders that are not shared." : "Elenco dei file e delle cartelle che non sono condivisi.", "No personal files found" : "Nessun file personale trovato", "Files that are not shared will show up here." : "I file che non vengono condivisi verranno visualizzati qui.", @@ -402,12 +395,12 @@ OC.L10N.register( "Edit locally" : "Modifica localmente", "Open" : "Apri", "Could not load info for file \"{file}\"" : "Impossibile caricare le informazioni per il file \"{file}\"", - "Details" : "Dettagli", "Please select tag(s) to add to the selection" : "Seleziona un'etichetta(e) da aggiungere alla selezione", "Apply tag(s) to selection" : "Applica etichetta(e) alla selezione", "Select directory \"{dirName}\"" : "Seleziona cartella \"{dirName}\"", "Select file \"{fileName}\"" : "Seleziona file \"{fileName}\"", "Unable to determine date" : "Impossibile determinare la data", + "This directory is unavailable, please check the logs or contact the administrator" : "Questa cartella non è disponibile, controlla i log o contatta l'amministratore", "Could not move \"{file}\", target exists" : "Impossibile spostare \"{file}\", la destinazione esiste già", "Could not move \"{file}\"" : "Impossibile spostare \"{file}\"", "copy" : "copia", @@ -455,15 +448,24 @@ OC.L10N.register( "Not favored" : "Non preferito", "An error occurred while trying to update the tags" : "Si è verificato un errore durante il tentativo di aggiornare le etichette", "Upload (max. %s)" : "Carica (massimo %s)", + "\"{displayName}\" action executed successfully" : "L'azione \"{displayName}\" è stata eseguita correttamente", + "\"{displayName}\" action failed" : "L'azione \"{displayName}\" non è riuscita", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" non riuscito su alcuni elementi", + "\"{displayName}\" batch action executed successfully" : "L'azione batch \"{displayName}\" è stata eseguita correttamente", "Submitting fields…" : "Invio dei campi…", "Filter filenames…" : "Filtra nomi di file…", + "WebDAV URL copied to clipboard" : "L'URL WebDAV è stato copiato negli appunti", "Enable the grid view" : "Attiva visuale a griglia", + "Enable folder tree" : "Abilita l'albero delle cartelle", + "Copy to clipboard" : "Copia negli appunti", "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", + "Open details" : "Apri i dettagli", + "Photos and images" : "Foto e immagini", "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"], @@ -477,6 +479,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (rinominato)", "renamed file" : "file rinominato", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Dopo aver abilitato i nomi file compatibili con Windows, i file esistenti non potranno più essere modificati, ma potranno essere rinominati con nuovi nomi validi dal rispettivo proprietario.", - "Filter file names …" : "Filtra i nomi dei file …" + "Filter file names …" : "Filtra i nomi dei file …", + "Prevent warning dialogs from open or reenable them." : "Impedire l'apertura delle finestre di dialogo di avviso o riattivarle.", + "Show a warning dialog when changing a file extension." : "Mostra una finestra di dialogo di avviso quando si modifica l'estensione di un file.", + "Speed up your Files experience with these quick shortcuts." : "Velocizza la tua esperienza con i File con queste rapide scorciatoie.", + "Open the actions menu for a file" : "Aprire il menu delle azioni per un file", + "Rename a file" : "Rinominare un file", + "Delete a file" : "Eliminare un file", + "Favorite or remove a file from favorites" : "Aggiungere ai Preferiti o rimuovere un file dai preferiti", + "Manage tags for a file" : "Gestire i tag per un file", + "Deselect all files" : "Deseleziona tutti i file", + "Select or deselect a file" : "Seleziona o deseleziona un file", + "Select a range of files" : "Seleziona un intervallo di file", + "Navigate to the parent folder" : "Passare alla cartella padre", + "Navigate to the file above" : "Vai al file sopra", + "Navigate to the file below" : "Vai al file qui sotto", + "Navigate to the file on the left (in grid mode)" : "Navigare nel file a sinistra (in modalità griglia)", + "Navigate to the file on the right (in grid mode)" : "Navigare nel file a destra (in modalità griglia)", + "Toggle the grid view" : "Attiva la vista a griglia", + "Open the sidebar for a file" : "Aprire la barra laterale per un file" }, "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/files/l10n/it.json b/apps/files/l10n/it.json index b50aa0c151e..da6f6a596c7 100644 --- a/apps/files/l10n/it.json +++ b/apps/files/l10n/it.json @@ -113,9 +113,9 @@ "Name" : "Nome", "File type" : "Tipo di file", "Size" : "Dimensione", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" non riuscito su alcuni elementi", - "\"{displayName}\" batch action executed successfully" : "L'azione batch \"{displayName}\" è stata eseguita correttamente", - "\"{displayName}\" action failed" : "L'azione \"{displayName}\" non è riuscita", + "{displayName}: failed on some elements" : "{displayName}: non riuscito su alcuni elementi", + "{displayName}: done" : "{displayName}: fatto", + "{displayName}: failed" : "{displayName}: non riuscito", "Actions" : "Azioni", "(selected)" : "(selezionato)", "List of files and folders." : "Lista di file e cartelle.", @@ -124,11 +124,10 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Questa lista non è stata mostrata completamente per ragioni di prestazioni. I file verranno mostrati durante la navigazione della lista.", "File not found" : "File non trovato", "_{count} selected_::_{count} selected_" : ["{count} selezionato","{count} selezionati","{count} selezionati"], - "Search globally by filename …" : "Cerca globalmente per nome file…", - "Search here by filename …" : "Cerca qui per nome file…", + "Search everywhere …" : "Cerca ovunque…", + "Search here …" : "Cerca qui…", "Search scope options" : "Opzioni nell'ambito di ricerca", - "Filter and search from this location" : "Filtra e cerca da questa posizione", - "Search globally" : "Cerca globalmente", + "Search here" : "Cerca qui", "{usedQuotaByte} used" : "{usedQuotaByte} usato", "{used} of {quota} used" : "{used} di {quota} utilizzati", "{relative}% used" : "{relative}% usato", @@ -178,7 +177,6 @@ "Error during upload: {message}" : "Errore durante il caricamento: {message}", "Error during upload, status code {status}" : "Errore durante il caricamento, codice di stato {status}", "Unknown error during upload" : "Errore sconosciuto durante il caricamento", - "\"{displayName}\" action executed successfully" : "L'azione \"{displayName}\" è stata eseguita correttamente", "Loading current folder" : "Sto caricando la cartella corrente", "Retry" : "Riprova", "No files in here" : "Qui non c'è alcun file", @@ -193,49 +191,48 @@ "No search results for “{query}”" : "Nessun risultato di ricerca per “{query}”", "Search for files" : "Cerca file", "Clipboard is not available" : "Appunti non disponibili", - "WebDAV URL copied to clipboard" : "L'URL WebDAV è stato copiato negli appunti", + "WebDAV URL copied" : "URL WebDAV copiato", + "General" : "Generale", "Default view" : "Vista predefinita", "All files" : "Tutti i file", "Personal files" : "File personali", "Sort favorites first" : "Ordina prima i preferiti", "Sort folders before files" : "Ordina cartelle prima dei files", - "Enable folder tree" : "Abilita l'albero delle cartelle", - "Visual settings" : "Impostazioni visive", + "Folder tree" : "Albero delle cartella", + "Appearance" : "Aspetto", "Show hidden files" : "Mostra i file nascosti", "Show file type column" : "Mostra colonna tipo di file", + "Show file extensions" : "Mostra estensioni di file", "Crop image previews" : "Ritaglia le anteprime delle immagini", - "Show files extensions" : "Mostra le estensioni dei file", "Additional settings" : "Impostazioni aggiuntive", "WebDAV" : "WebDAV", "WebDAV URL" : "URL WebDAV", - "Copy to clipboard" : "Copia negli appunti", - "Use this address to access your Files via WebDAV." : "Utilizza questo indirizzo per accedere ai tuoi file tramite WebDAV.", + "Copy" : "Copia", + "How to access files using WebDAV" : "Come accedere ai file tramite WebDAV", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Per il tuo account è abilitata l'autenticazione a due fattori, pertanto devi utilizzare una password dell'app per connetterti a un client WebDAV esterno.", "Warnings" : "Avvertenze", - "Prevent warning dialogs from open or reenable them." : "Impedire l'apertura delle finestre di dialogo di avviso o riattivarle.", - "Show a warning dialog when changing a file extension." : "Mostra una finestra di dialogo di avviso quando si modifica l'estensione di un file.", - "Show a warning dialog when deleting files." : "Mostra un dialogo di avviso quando si cancellano dei file.", + "Warn before changing a file extension" : "Avvisa prima di modificare l'estensione di un file", + "Warn before deleting files" : "Avvisa prima di eliminare i file", "Keyboard shortcuts" : "Scorciatoie da tastiera", - "Speed up your Files experience with these quick shortcuts." : "Velocizza la tua esperienza con i File con queste rapide scorciatoie.", - "Open the actions menu for a file" : "Aprire il menu delle azioni per un file", - "Rename a file" : "Rinominare un file", - "Delete a file" : "Eliminare un file", - "Favorite or remove a file from favorites" : "Aggiungere ai Preferiti o rimuovere un file dai preferiti", - "Manage tags for a file" : "Gestire i tag per un file", + "File actions" : "Azioni sui file", + "Rename" : "Rinomina", + "Delete" : "Elimina", + "Add or remove favorite" : "Aggiungi o rimuovi preferito", + "Manage tags" : "Gestisci etichette", "Selection" : "Selezione", "Select all files" : "Seleziona tutti i file", - "Deselect all files" : "Deseleziona tutti i file", - "Select or deselect a file" : "Seleziona o deseleziona un file", - "Select a range of files" : "Seleziona un intervallo di file", + "Deselect all" : "Deseleziona tutto", + "Select or deselect" : "Seleziona o deseleziona", + "Select a range" : "Seleziona un intervallo", "Navigation" : "Navigazione", - "Navigate to the parent folder" : "Passare alla cartella padre", - "Navigate to the file above" : "Vai al file sopra", - "Navigate to the file below" : "Vai al file qui sotto", - "Navigate to the file on the left (in grid mode)" : "Navigare nel file a sinistra (in modalità griglia)", - "Navigate to the file on the right (in grid mode)" : "Navigare nel file a destra (in modalità griglia)", + "Go to parent folder" : "Vai alla cartella padre", + "Go to file above" : "Vai al file sopra", + "Go to file below" : "Vai al file sotto", + "Go left in grid" : "Vai a sinistra nella griglia", + "Go right in grid" : "Vai a destra nella griglia", "View" : "Visualizza", - "Toggle the grid view" : "Attiva la vista a griglia", - "Open the sidebar for a file" : "Aprire la barra laterale per un file", + "Toggle grid view" : "Commuta la vista a griglia", + "Open file sidebar" : "Apri la barra laterale del file", "Show those shortcuts" : "Mostra quelle scorciatoie", "You" : "Tu", "Shared multiple times with different people" : "Condiviso più volte con diverse persone", @@ -274,7 +271,6 @@ "Delete files" : "Elimina i file", "Delete folder" : "Elimina cartella", "Delete folders" : "Elimina la cartella", - "Delete" : "Elimina", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Stai per eliminare permanentemente {count} elemento","Stai per eliminare permanentemente {count} elementi","Stai per eliminare permanentemente {count} elementi"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Stai per eliminare {count} elemento","Stai per eliminare {count} elementi","Stai per eliminare {count} elementi"], "Confirm deletion" : "Conferma l'eliminazione", @@ -292,7 +288,6 @@ "The file does not exist anymore" : "Il file non esiste più", "Choose destination" : "Scegli la destinazione", "Copy to {target}" : "Copia in {target}", - "Copy" : "Copia", "Move to {target}" : "Sposta in {target}", "Move" : "Sposta", "Move or copy operation failed" : "Operazione di spostamento o copia fallita", @@ -305,8 +300,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Il file dovrebbe ora aprirsi sul tuo dispositivo. In caso contrario, controlla di aver installato l'app desktop.", "Retry and close" : "Riprova e chiudi", "Open online" : "Apri online", - "Rename" : "Rinomina", - "Open details" : "Apri i dettagli", + "Details" : "Dettagli", "View in folder" : "Visualizza nella cartella", "Today" : "Ogg", "Last 7 days" : "Ultimi 7 giorni", @@ -319,7 +313,7 @@ "PDFs" : "PDF", "Folders" : "Cartelle", "Audio" : "Audio", - "Photos and images" : "Foto e immagini", + "Images" : "Immagini", "Videos" : "Video", "Created new folder \"{name}\"" : "Crea una nuova cartella \"{name}\"", "Unable to initialize the templates directory" : "Impossibile inizializzare la cartella dei modelli", @@ -346,7 +340,7 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Il nome \"{newName}\" è attualmente in uso nella cartella \"{dir}\". Scegli un nome diverso.", "Could not rename \"{oldName}\"" : "Impossibile rinominare \"{oldName}\"", "This operation is forbidden" : "Questa operazione è vietata", - "This directory is unavailable, please check the logs or contact the administrator" : "Questa cartella non è disponibile, controlla i log o contatta l'amministratore", + "This folder is unavailable, please try again later or contact the administration" : "Questa cartella non è disponibile, riprova più tardi o contatta l'amministrazione", "Storage is temporarily not available" : "L'archiviazione è temporaneamente non disponibile", "Unexpected error: {error}" : "Errore imprevisto: {error}", "_%n file_::_%n files_" : ["%n file","%n file","%n file"], @@ -361,7 +355,6 @@ "No favorites yet" : "Nessun preferito ancora", "Files and folders you mark as favorite will show up here" : "I file e le cartelle che marchi come preferiti saranno mostrati qui", "List of your files and folders." : "Lista dei tuoi file e cartelle.", - "Folder tree" : "Albero delle cartella", "List of your files and folders that are not shared." : "Elenco dei file e delle cartelle che non sono condivisi.", "No personal files found" : "Nessun file personale trovato", "Files that are not shared will show up here." : "I file che non vengono condivisi verranno visualizzati qui.", @@ -400,12 +393,12 @@ "Edit locally" : "Modifica localmente", "Open" : "Apri", "Could not load info for file \"{file}\"" : "Impossibile caricare le informazioni per il file \"{file}\"", - "Details" : "Dettagli", "Please select tag(s) to add to the selection" : "Seleziona un'etichetta(e) da aggiungere alla selezione", "Apply tag(s) to selection" : "Applica etichetta(e) alla selezione", "Select directory \"{dirName}\"" : "Seleziona cartella \"{dirName}\"", "Select file \"{fileName}\"" : "Seleziona file \"{fileName}\"", "Unable to determine date" : "Impossibile determinare la data", + "This directory is unavailable, please check the logs or contact the administrator" : "Questa cartella non è disponibile, controlla i log o contatta l'amministratore", "Could not move \"{file}\", target exists" : "Impossibile spostare \"{file}\", la destinazione esiste già", "Could not move \"{file}\"" : "Impossibile spostare \"{file}\"", "copy" : "copia", @@ -453,15 +446,24 @@ "Not favored" : "Non preferito", "An error occurred while trying to update the tags" : "Si è verificato un errore durante il tentativo di aggiornare le etichette", "Upload (max. %s)" : "Carica (massimo %s)", + "\"{displayName}\" action executed successfully" : "L'azione \"{displayName}\" è stata eseguita correttamente", + "\"{displayName}\" action failed" : "L'azione \"{displayName}\" non è riuscita", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" non riuscito su alcuni elementi", + "\"{displayName}\" batch action executed successfully" : "L'azione batch \"{displayName}\" è stata eseguita correttamente", "Submitting fields…" : "Invio dei campi…", "Filter filenames…" : "Filtra nomi di file…", + "WebDAV URL copied to clipboard" : "L'URL WebDAV è stato copiato negli appunti", "Enable the grid view" : "Attiva visuale a griglia", + "Enable folder tree" : "Abilita l'albero delle cartelle", + "Copy to clipboard" : "Copia negli appunti", "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", + "Open details" : "Apri i dettagli", + "Photos and images" : "Foto e immagini", "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"], @@ -475,6 +477,24 @@ "%1$s (renamed)" : "%1$s (rinominato)", "renamed file" : "file rinominato", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Dopo aver abilitato i nomi file compatibili con Windows, i file esistenti non potranno più essere modificati, ma potranno essere rinominati con nuovi nomi validi dal rispettivo proprietario.", - "Filter file names …" : "Filtra i nomi dei file …" + "Filter file names …" : "Filtra i nomi dei file …", + "Prevent warning dialogs from open or reenable them." : "Impedire l'apertura delle finestre di dialogo di avviso o riattivarle.", + "Show a warning dialog when changing a file extension." : "Mostra una finestra di dialogo di avviso quando si modifica l'estensione di un file.", + "Speed up your Files experience with these quick shortcuts." : "Velocizza la tua esperienza con i File con queste rapide scorciatoie.", + "Open the actions menu for a file" : "Aprire il menu delle azioni per un file", + "Rename a file" : "Rinominare un file", + "Delete a file" : "Eliminare un file", + "Favorite or remove a file from favorites" : "Aggiungere ai Preferiti o rimuovere un file dai preferiti", + "Manage tags for a file" : "Gestire i tag per un file", + "Deselect all files" : "Deseleziona tutti i file", + "Select or deselect a file" : "Seleziona o deseleziona un file", + "Select a range of files" : "Seleziona un intervallo di file", + "Navigate to the parent folder" : "Passare alla cartella padre", + "Navigate to the file above" : "Vai al file sopra", + "Navigate to the file below" : "Vai al file qui sotto", + "Navigate to the file on the left (in grid mode)" : "Navigare nel file a sinistra (in modalità griglia)", + "Navigate to the file on the right (in grid mode)" : "Navigare nel file a destra (in modalità griglia)", + "Toggle the grid view" : "Attiva la vista a griglia", + "Open the sidebar for a file" : "Aprire la barra laterale per un file" },"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/l10n/ja.js b/apps/files/l10n/ja.js index 47462ea2dd7..37f8d5d9526 100644 --- a/apps/files/l10n/ja.js +++ b/apps/files/l10n/ja.js @@ -115,9 +115,6 @@ OC.L10N.register( "Name" : "名前", "File type" : "ファイルの種類", "Size" : "サイズ", - "\"{displayName}\" failed on some elements" : "いくつかの要素で \"{displayName}\" が失敗しました。", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" バッチアクションが正常に実行されました。", - "\"{displayName}\" action failed" : "\"{displayName}\" アクションは失敗しました", "Actions" : "アクション", "(selected)" : "(選択済み)", "List of files and folders." : "ファイルとフォルダの一覧。", @@ -126,11 +123,7 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "このリストはパフォーマンスの都合上、すべてレンダリングされているわけではありません。リスト内を移動すると、ファイルが次々と表示されていきます。", "File not found" : "ファイルが見つかりません", "_{count} selected_::_{count} selected_" : ["{count}選択済み"], - "Search globally by filename …" : "ファイル名でグローバルに検索 …", - "Search here by filename …" : "ファイル名でここを検索 …", "Search scope options" : "検索範囲オプション", - "Filter and search from this location" : "この場所からフィルターをかけて検索", - "Search globally" : "グローバルに検索", "{usedQuotaByte} used" : "{usedQuotaByte} 使用されています", "{used} of {quota} used" : "{used} / {quota} 使用中", "{relative}% used" : "{relative}% 使用されています", @@ -180,7 +173,6 @@ OC.L10N.register( "Error during upload: {message}" : "アップロード中にエラーが発生しました: {message}", "Error during upload, status code {status}" : "アップロード中のエラー、ステータスコード {status}", "Unknown error during upload" : "不明なエラーがアップロード中に発生しました", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" アクションは正常に実行されました", "Loading current folder" : "現在のフォルダの読み込み中", "Retry" : "リトライ", "No files in here" : "ファイルがありません", @@ -195,49 +187,33 @@ OC.L10N.register( "No search results for “{query}”" : "\"{query}\"に関する検索結果はありません", "Search for files" : "ファイルを検索", "Clipboard is not available" : "クリップボードは利用できません", - "WebDAV URL copied to clipboard" : "WebDAVのURLがクリップボードにコピーされました", + "General" : "一般", "Default view" : "デフォルト表示", "All files" : "すべてのファイル", "Personal files" : "個人ファイル", "Sort favorites first" : "お気に入りを最初に並べる", "Sort folders before files" : "ファイルよりもフォルダを先に並べ替えます", - "Enable folder tree" : "フォルダーツリーを有効にする", - "Visual settings" : "ビジュアル設定", + "Folder tree" : "フォルダーツリー", + "Appearance" : "表示", "Show hidden files" : "隠しファイルを表示", "Show file type column" : "ファイルの種類のカラムを表示する", "Crop image previews" : "プレビュー画像を切り抜く", - "Show files extensions" : "ファイルの拡張子を表示", "Additional settings" : "追加設定", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "クリップボードにコピー", - "Use this address to access your Files via WebDAV." : "このアドレスを使用すれば、WebDAV経由でファイルにアクセスできます。", + "Copy" : "コピー", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "2要素認証がアカウントに有効化されています。そのため、外部WebDAVクライアントを接続するにはアプリパスワードを使用する必要があります。", "Warnings" : "警告", - "Prevent warning dialogs from open or reenable them." : "警告ダイアログが開かないようにするか、再度有効にする。", - "Show a warning dialog when changing a file extension." : "ファイルの拡張子を変更する際に、警告ダイアログを表示する。", - "Show a warning dialog when deleting files." : "ファイルを削除する際に警告ダイアログを表示します。", "Keyboard shortcuts" : "キーボードショートカット", - "Speed up your Files experience with these quick shortcuts." : "これらのショートカットでファイルの取り扱いを高速化します", - "Open the actions menu for a file" : "ファイルのアクションメニューを開く", - "Rename a file" : "ファイル名を変更", - "Delete a file" : "ファイルを削除", - "Favorite or remove a file from favorites" : "ファイルをお気に入りから追加または削除", - "Manage tags for a file" : "ファイルのタグを管理する", + "Rename" : "名前の変更", + "Delete" : "削除", + "Manage tags" : "タグを管理", "Selection" : "選択", "Select all files" : "全てのファイルを選択", - "Deselect all files" : "全てのファイルの選択を解除", - "Select or deselect a file" : "ファイルを選択または選択を解除", - "Select a range of files" : "範囲内のファイルを選択", + "Deselect all" : "選択を全解除", "Navigation" : "ナビゲーション", - "Navigate to the parent folder" : "親フォルダーに移動", - "Navigate to the file above" : "上のファイルに移動", - "Navigate to the file below" : "下のファイルに移動", - "Navigate to the file on the left (in grid mode)" : "左のファイルに移動(グリッドモード)", - "Navigate to the file on the right (in grid mode)" : "右のファイルに移動(グリッドモード)", "View" : "表示", - "Toggle the grid view" : "グリッドビューを切り替え", - "Open the sidebar for a file" : "ファイルのサイドバーを開く", + "Toggle grid view" : "グリッド表示の切り替え", "Show those shortcuts" : "これらのショートカットを表示する", "You" : "自分", "Shared multiple times with different people" : "異なる人と複数回共有", @@ -276,7 +252,6 @@ OC.L10N.register( "Delete files" : "ファイルの削除", "Delete folder" : "フォルダーを削除", "Delete folders" : "フォルダを削除", - "Delete" : "削除", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["{count}アイテムを完全に削除しようとしています"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["あなたは {count} 個のアイテムを削除しようとしています"], "Confirm deletion" : "削除の確認", @@ -294,7 +269,6 @@ OC.L10N.register( "The file does not exist anymore" : "ファイルはもう存在しません", "Choose destination" : "移動先を選択", "Copy to {target}" : "{target} にコピー", - "Copy" : "コピー", "Move to {target}" : "{target} に移動", "Move" : "移動", "Move or copy operation failed" : "移動またはコピー操作は失敗しました", @@ -307,8 +281,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "ファイルがデバイス上で開くはずです。開かない場合は、デスクトップアプリがインストールされているかご確認ください。", "Retry and close" : "再試行して閉じる", "Open online" : "オンラインで開く", - "Rename" : "名前の変更", - "Open details" : "詳細を開く", + "Details" : "詳細", "View in folder" : "フォルダー内で表示", "Today" : "今日", "Last 7 days" : "7日以内", @@ -321,7 +294,7 @@ OC.L10N.register( "PDFs" : "PDF", "Folders" : "フォルダー", "Audio" : "オーディオ", - "Photos and images" : "写真と画像", + "Images" : "画像", "Videos" : "動画", "Created new folder \"{name}\"" : "新規フォルダ \"{name}\" を作成しました", "Unable to initialize the templates directory" : "テンプレートディレクトリを初期化できませんでした", @@ -348,7 +321,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "\"{newName}\" という名前は \"{dir}\" フォルダですでに使用されています。別の名前を選択してください。", "Could not rename \"{oldName}\"" : "\"{oldName}\" の名前を変更できませんでした。", "This operation is forbidden" : "この操作は禁止されています", - "This directory is unavailable, please check the logs or contact the administrator" : "このディレクトリは利用できません。ログを確認するか管理者に問い合わせてください。", "Storage is temporarily not available" : "ストレージは一時的に利用できません", "Unexpected error: {error}" : "予期せぬエラー: {error}", "_%n file_::_%n files_" : ["%n 個のファイル"], @@ -363,7 +335,6 @@ OC.L10N.register( "No favorites yet" : "まだお気に入りはありません", "Files and folders you mark as favorite will show up here" : "お気に入りに登録されたファイルやフォルダーは、ここに表示されます。", "List of your files and folders." : "ファイルやフォルダーの一覧", - "Folder tree" : "フォルダーツリー", "List of your files and folders that are not shared." : "共有されていないファイルやフォルダの一覧。", "No personal files found" : "個人ファイルは見つかりませんでした", "Files that are not shared will show up here." : "共有されていないファイルは、ここに表示されます。", @@ -402,12 +373,12 @@ OC.L10N.register( "Edit locally" : "ローカルで編集", "Open" : "開く", "Could not load info for file \"{file}\"" : "\"{file}\" ファイルの情報を読み込めませんでした", - "Details" : "詳細", "Please select tag(s) to add to the selection" : "選択項目に付与するタグを選択してください", "Apply tag(s) to selection" : "選択項目にタグを適用", "Select directory \"{dirName}\"" : "ディレクトリを選択: \"{dirName}\"", "Select file \"{fileName}\"" : "ファイルを選択: \"{fileName}\"", "Unable to determine date" : "更新日不明", + "This directory is unavailable, please check the logs or contact the administrator" : "このディレクトリは利用できません。ログを確認するか管理者に問い合わせてください。", "Could not move \"{file}\", target exists" : "ターゲットが存在するため,ファイル \"{file}\"を移動できませんでした", "Could not move \"{file}\"" : "\"{file}\" を移動できませんでした", "copy" : "コピー", @@ -455,15 +426,24 @@ OC.L10N.register( "Not favored" : "好ましくない", "An error occurred while trying to update the tags" : "タグを更新する際にエラーが発生しました", "Upload (max. %s)" : "アップロード ( 最大 %s )", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" アクションは正常に実行されました", + "\"{displayName}\" action failed" : "\"{displayName}\" アクションは失敗しました", + "\"{displayName}\" failed on some elements" : "いくつかの要素で \"{displayName}\" が失敗しました。", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" バッチアクションが正常に実行されました。", "Submitting fields…" : "フィールドを送信中…", "Filter filenames…" : "ファイルネームフィルター…", + "WebDAV URL copied to clipboard" : "WebDAVのURLがクリップボードにコピーされました", "Enable the grid view" : "グリッド表示を有効にする", + "Enable folder tree" : "フォルダーツリーを有効にする", + "Copy to clipboard" : "クリップボードにコピー", "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" : "キャンセルされた移動またはコピー操作", + "Open details" : "詳細を開く", + "Photos and images" : "写真と画像", "New folder creation cancelled" : "新しいフォルダーの作成がキャンセルされました", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} フォルダ"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} ファイル"], @@ -477,6 +457,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (リネーム済み)", "renamed file" : "リネーム済みファイル", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Windows 互換のファイル名を有効にすると、既存のファイルは変更できなくなりますが、所有者が有効な新しいファイル名に変更できるようになります。", - "Filter file names …" : "ファイルネームフィルター…" + "Filter file names …" : "ファイルネームフィルター…", + "Prevent warning dialogs from open or reenable them." : "警告ダイアログが開かないようにするか、再度有効にする。", + "Show a warning dialog when changing a file extension." : "ファイルの拡張子を変更する際に、警告ダイアログを表示する。", + "Speed up your Files experience with these quick shortcuts." : "これらのショートカットでファイルの取り扱いを高速化します", + "Open the actions menu for a file" : "ファイルのアクションメニューを開く", + "Rename a file" : "ファイル名を変更", + "Delete a file" : "ファイルを削除", + "Favorite or remove a file from favorites" : "ファイルをお気に入りから追加または削除", + "Manage tags for a file" : "ファイルのタグを管理する", + "Deselect all files" : "全てのファイルの選択を解除", + "Select or deselect a file" : "ファイルを選択または選択を解除", + "Select a range of files" : "範囲内のファイルを選択", + "Navigate to the parent folder" : "親フォルダーに移動", + "Navigate to the file above" : "上のファイルに移動", + "Navigate to the file below" : "下のファイルに移動", + "Navigate to the file on the left (in grid mode)" : "左のファイルに移動(グリッドモード)", + "Navigate to the file on the right (in grid mode)" : "右のファイルに移動(グリッドモード)", + "Toggle the grid view" : "グリッドビューを切り替え", + "Open the sidebar for a file" : "ファイルのサイドバーを開く" }, "nplurals=1; plural=0;"); diff --git a/apps/files/l10n/ja.json b/apps/files/l10n/ja.json index 822457c0361..ea0d2a4aa7b 100644 --- a/apps/files/l10n/ja.json +++ b/apps/files/l10n/ja.json @@ -113,9 +113,6 @@ "Name" : "名前", "File type" : "ファイルの種類", "Size" : "サイズ", - "\"{displayName}\" failed on some elements" : "いくつかの要素で \"{displayName}\" が失敗しました。", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" バッチアクションが正常に実行されました。", - "\"{displayName}\" action failed" : "\"{displayName}\" アクションは失敗しました", "Actions" : "アクション", "(selected)" : "(選択済み)", "List of files and folders." : "ファイルとフォルダの一覧。", @@ -124,11 +121,7 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "このリストはパフォーマンスの都合上、すべてレンダリングされているわけではありません。リスト内を移動すると、ファイルが次々と表示されていきます。", "File not found" : "ファイルが見つかりません", "_{count} selected_::_{count} selected_" : ["{count}選択済み"], - "Search globally by filename …" : "ファイル名でグローバルに検索 …", - "Search here by filename …" : "ファイル名でここを検索 …", "Search scope options" : "検索範囲オプション", - "Filter and search from this location" : "この場所からフィルターをかけて検索", - "Search globally" : "グローバルに検索", "{usedQuotaByte} used" : "{usedQuotaByte} 使用されています", "{used} of {quota} used" : "{used} / {quota} 使用中", "{relative}% used" : "{relative}% 使用されています", @@ -178,7 +171,6 @@ "Error during upload: {message}" : "アップロード中にエラーが発生しました: {message}", "Error during upload, status code {status}" : "アップロード中のエラー、ステータスコード {status}", "Unknown error during upload" : "不明なエラーがアップロード中に発生しました", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" アクションは正常に実行されました", "Loading current folder" : "現在のフォルダの読み込み中", "Retry" : "リトライ", "No files in here" : "ファイルがありません", @@ -193,49 +185,33 @@ "No search results for “{query}”" : "\"{query}\"に関する検索結果はありません", "Search for files" : "ファイルを検索", "Clipboard is not available" : "クリップボードは利用できません", - "WebDAV URL copied to clipboard" : "WebDAVのURLがクリップボードにコピーされました", + "General" : "一般", "Default view" : "デフォルト表示", "All files" : "すべてのファイル", "Personal files" : "個人ファイル", "Sort favorites first" : "お気に入りを最初に並べる", "Sort folders before files" : "ファイルよりもフォルダを先に並べ替えます", - "Enable folder tree" : "フォルダーツリーを有効にする", - "Visual settings" : "ビジュアル設定", + "Folder tree" : "フォルダーツリー", + "Appearance" : "表示", "Show hidden files" : "隠しファイルを表示", "Show file type column" : "ファイルの種類のカラムを表示する", "Crop image previews" : "プレビュー画像を切り抜く", - "Show files extensions" : "ファイルの拡張子を表示", "Additional settings" : "追加設定", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "クリップボードにコピー", - "Use this address to access your Files via WebDAV." : "このアドレスを使用すれば、WebDAV経由でファイルにアクセスできます。", + "Copy" : "コピー", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "2要素認証がアカウントに有効化されています。そのため、外部WebDAVクライアントを接続するにはアプリパスワードを使用する必要があります。", "Warnings" : "警告", - "Prevent warning dialogs from open or reenable them." : "警告ダイアログが開かないようにするか、再度有効にする。", - "Show a warning dialog when changing a file extension." : "ファイルの拡張子を変更する際に、警告ダイアログを表示する。", - "Show a warning dialog when deleting files." : "ファイルを削除する際に警告ダイアログを表示します。", "Keyboard shortcuts" : "キーボードショートカット", - "Speed up your Files experience with these quick shortcuts." : "これらのショートカットでファイルの取り扱いを高速化します", - "Open the actions menu for a file" : "ファイルのアクションメニューを開く", - "Rename a file" : "ファイル名を変更", - "Delete a file" : "ファイルを削除", - "Favorite or remove a file from favorites" : "ファイルをお気に入りから追加または削除", - "Manage tags for a file" : "ファイルのタグを管理する", + "Rename" : "名前の変更", + "Delete" : "削除", + "Manage tags" : "タグを管理", "Selection" : "選択", "Select all files" : "全てのファイルを選択", - "Deselect all files" : "全てのファイルの選択を解除", - "Select or deselect a file" : "ファイルを選択または選択を解除", - "Select a range of files" : "範囲内のファイルを選択", + "Deselect all" : "選択を全解除", "Navigation" : "ナビゲーション", - "Navigate to the parent folder" : "親フォルダーに移動", - "Navigate to the file above" : "上のファイルに移動", - "Navigate to the file below" : "下のファイルに移動", - "Navigate to the file on the left (in grid mode)" : "左のファイルに移動(グリッドモード)", - "Navigate to the file on the right (in grid mode)" : "右のファイルに移動(グリッドモード)", "View" : "表示", - "Toggle the grid view" : "グリッドビューを切り替え", - "Open the sidebar for a file" : "ファイルのサイドバーを開く", + "Toggle grid view" : "グリッド表示の切り替え", "Show those shortcuts" : "これらのショートカットを表示する", "You" : "自分", "Shared multiple times with different people" : "異なる人と複数回共有", @@ -274,7 +250,6 @@ "Delete files" : "ファイルの削除", "Delete folder" : "フォルダーを削除", "Delete folders" : "フォルダを削除", - "Delete" : "削除", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["{count}アイテムを完全に削除しようとしています"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["あなたは {count} 個のアイテムを削除しようとしています"], "Confirm deletion" : "削除の確認", @@ -292,7 +267,6 @@ "The file does not exist anymore" : "ファイルはもう存在しません", "Choose destination" : "移動先を選択", "Copy to {target}" : "{target} にコピー", - "Copy" : "コピー", "Move to {target}" : "{target} に移動", "Move" : "移動", "Move or copy operation failed" : "移動またはコピー操作は失敗しました", @@ -305,8 +279,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "ファイルがデバイス上で開くはずです。開かない場合は、デスクトップアプリがインストールされているかご確認ください。", "Retry and close" : "再試行して閉じる", "Open online" : "オンラインで開く", - "Rename" : "名前の変更", - "Open details" : "詳細を開く", + "Details" : "詳細", "View in folder" : "フォルダー内で表示", "Today" : "今日", "Last 7 days" : "7日以内", @@ -319,7 +292,7 @@ "PDFs" : "PDF", "Folders" : "フォルダー", "Audio" : "オーディオ", - "Photos and images" : "写真と画像", + "Images" : "画像", "Videos" : "動画", "Created new folder \"{name}\"" : "新規フォルダ \"{name}\" を作成しました", "Unable to initialize the templates directory" : "テンプレートディレクトリを初期化できませんでした", @@ -346,7 +319,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "\"{newName}\" という名前は \"{dir}\" フォルダですでに使用されています。別の名前を選択してください。", "Could not rename \"{oldName}\"" : "\"{oldName}\" の名前を変更できませんでした。", "This operation is forbidden" : "この操作は禁止されています", - "This directory is unavailable, please check the logs or contact the administrator" : "このディレクトリは利用できません。ログを確認するか管理者に問い合わせてください。", "Storage is temporarily not available" : "ストレージは一時的に利用できません", "Unexpected error: {error}" : "予期せぬエラー: {error}", "_%n file_::_%n files_" : ["%n 個のファイル"], @@ -361,7 +333,6 @@ "No favorites yet" : "まだお気に入りはありません", "Files and folders you mark as favorite will show up here" : "お気に入りに登録されたファイルやフォルダーは、ここに表示されます。", "List of your files and folders." : "ファイルやフォルダーの一覧", - "Folder tree" : "フォルダーツリー", "List of your files and folders that are not shared." : "共有されていないファイルやフォルダの一覧。", "No personal files found" : "個人ファイルは見つかりませんでした", "Files that are not shared will show up here." : "共有されていないファイルは、ここに表示されます。", @@ -400,12 +371,12 @@ "Edit locally" : "ローカルで編集", "Open" : "開く", "Could not load info for file \"{file}\"" : "\"{file}\" ファイルの情報を読み込めませんでした", - "Details" : "詳細", "Please select tag(s) to add to the selection" : "選択項目に付与するタグを選択してください", "Apply tag(s) to selection" : "選択項目にタグを適用", "Select directory \"{dirName}\"" : "ディレクトリを選択: \"{dirName}\"", "Select file \"{fileName}\"" : "ファイルを選択: \"{fileName}\"", "Unable to determine date" : "更新日不明", + "This directory is unavailable, please check the logs or contact the administrator" : "このディレクトリは利用できません。ログを確認するか管理者に問い合わせてください。", "Could not move \"{file}\", target exists" : "ターゲットが存在するため,ファイル \"{file}\"を移動できませんでした", "Could not move \"{file}\"" : "\"{file}\" を移動できませんでした", "copy" : "コピー", @@ -453,15 +424,24 @@ "Not favored" : "好ましくない", "An error occurred while trying to update the tags" : "タグを更新する際にエラーが発生しました", "Upload (max. %s)" : "アップロード ( 最大 %s )", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" アクションは正常に実行されました", + "\"{displayName}\" action failed" : "\"{displayName}\" アクションは失敗しました", + "\"{displayName}\" failed on some elements" : "いくつかの要素で \"{displayName}\" が失敗しました。", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" バッチアクションが正常に実行されました。", "Submitting fields…" : "フィールドを送信中…", "Filter filenames…" : "ファイルネームフィルター…", + "WebDAV URL copied to clipboard" : "WebDAVのURLがクリップボードにコピーされました", "Enable the grid view" : "グリッド表示を有効にする", + "Enable folder tree" : "フォルダーツリーを有効にする", + "Copy to clipboard" : "クリップボードにコピー", "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" : "キャンセルされた移動またはコピー操作", + "Open details" : "詳細を開く", + "Photos and images" : "写真と画像", "New folder creation cancelled" : "新しいフォルダーの作成がキャンセルされました", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} フォルダ"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} ファイル"], @@ -475,6 +455,24 @@ "%1$s (renamed)" : "%1$s (リネーム済み)", "renamed file" : "リネーム済みファイル", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Windows 互換のファイル名を有効にすると、既存のファイルは変更できなくなりますが、所有者が有効な新しいファイル名に変更できるようになります。", - "Filter file names …" : "ファイルネームフィルター…" + "Filter file names …" : "ファイルネームフィルター…", + "Prevent warning dialogs from open or reenable them." : "警告ダイアログが開かないようにするか、再度有効にする。", + "Show a warning dialog when changing a file extension." : "ファイルの拡張子を変更する際に、警告ダイアログを表示する。", + "Speed up your Files experience with these quick shortcuts." : "これらのショートカットでファイルの取り扱いを高速化します", + "Open the actions menu for a file" : "ファイルのアクションメニューを開く", + "Rename a file" : "ファイル名を変更", + "Delete a file" : "ファイルを削除", + "Favorite or remove a file from favorites" : "ファイルをお気に入りから追加または削除", + "Manage tags for a file" : "ファイルのタグを管理する", + "Deselect all files" : "全てのファイルの選択を解除", + "Select or deselect a file" : "ファイルを選択または選択を解除", + "Select a range of files" : "範囲内のファイルを選択", + "Navigate to the parent folder" : "親フォルダーに移動", + "Navigate to the file above" : "上のファイルに移動", + "Navigate to the file below" : "下のファイルに移動", + "Navigate to the file on the left (in grid mode)" : "左のファイルに移動(グリッドモード)", + "Navigate to the file on the right (in grid mode)" : "右のファイルに移動(グリッドモード)", + "Toggle the grid view" : "グリッドビューを切り替え", + "Open the sidebar for a file" : "ファイルのサイドバーを開く" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files/l10n/ka.js b/apps/files/l10n/ka.js index 11e0cf3d254..ce9740684f6 100644 --- a/apps/files/l10n/ka.js +++ b/apps/files/l10n/ka.js @@ -79,15 +79,12 @@ OC.L10N.register( "Total rows summary" : "Total rows summary", "Name" : "Name", "Size" : "Size", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" batch action executed successfully", - "\"{displayName}\" action failed" : "\"{displayName}\" action failed", "Actions" : "Actions", "List of files and folders." : "List of files and folders.", "Column headers with buttons are sortable." : "Column headers with buttons are sortable.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list.", "File not found" : "File not found", "_{count} selected_::_{count} selected_" : ["{count} selected","{count} selected"], - "Search globally" : "Search globally", "{usedQuotaByte} used" : "{usedQuotaByte} used", "{used} of {quota} used" : "{used} of {quota} used", "{relative}% used" : "{relative}% used", @@ -119,7 +116,6 @@ OC.L10N.register( "Operation is blocked by access control" : "Operation is blocked by access control", "Error during upload: {message}" : "Error during upload: {message}", "Unknown error during upload" : "Unknown error during upload", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" action executed successfully", "Loading current folder" : "Loading current folder", "Retry" : "Retry", "No files in here" : "No files in here", @@ -129,7 +125,7 @@ OC.L10N.register( "Files settings" : "Files settings", "File cannot be accessed" : "File cannot be accessed", "Clipboard is not available" : "Clipboard is not available", - "WebDAV URL copied to clipboard" : "WebDAV URL copied to clipboard", + "General" : "General", "All files" : "All files", "Sort favorites first" : "Sort favorites first", "Show hidden files" : "Show hidden files", @@ -137,10 +133,14 @@ OC.L10N.register( "Additional settings" : "Additional settings", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Copy to clipboard", + "Copy" : "Copy", "Keyboard shortcuts" : "Keyboard shortcuts", + "Rename" : "Rename", + "Delete" : "Delete", + "Deselect all" : "Deselect all", "Navigation" : "Navigation", "View" : "View", + "Toggle grid view" : "Toggle grid view", "You" : "You", "Error while loading the file data" : "Error while loading the file data", "Owner" : "Owner", @@ -157,7 +157,6 @@ OC.L10N.register( "Delete permanently" : "Delete permanently", "Delete file" : "Delete file", "Delete folder" : "Delete folder", - "Delete" : "Delete", "Cancel" : "Cancel", "Download" : "Download", "Destination is not a folder" : "Destination is not a folder", @@ -167,7 +166,6 @@ OC.L10N.register( "The file does not exist anymore" : "The file does not exist anymore", "Choose destination" : "Choose destination", "Copy to {target}" : "Copy to {target}", - "Copy" : "Copy", "Move to {target}" : "Move to {target}", "Move" : "Move", "Move or copy" : "Move or copy", @@ -176,14 +174,14 @@ OC.L10N.register( "Open locally" : "Open locally", "Failed to redirect to client" : "Failed to redirect to client", "Open file locally" : "Open file locally", - "Rename" : "Rename", - "Open details" : "Open details", + "Details" : "Details", "View in folder" : "View in folder", "Today" : "დღეს", "Last 7 days" : "Last 7 days", "Last 30 days" : "Last 30 days", "Documents" : "Documents", "Audio" : "Audio", + "Images" : "Images", "Videos" : "Videos", "Created new folder \"{name}\"" : "Created new folder \"{name}\"", "Unable to initialize the templates directory" : "Unable to initialize the templates directory", @@ -194,7 +192,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name.", "Could not rename \"{oldName}\"" : "Could not rename \"{oldName}\"", "This operation is forbidden" : "This operation is forbidden", - "This directory is unavailable, please check the logs or contact the administrator" : "This directory is unavailable, please check the logs or contact the administrator", "Storage is temporarily not available" : "Storage is temporarily not available", "_%n file_::_%n files_" : ["%n file","%n files"], "_%n folder_::_%n folders_" : ["%n folder","%n folders"], @@ -235,12 +232,12 @@ OC.L10N.register( "Edit locally" : "Edit locally", "Open" : "Open", "Could not load info for file \"{file}\"" : "Could not load info for file \"{file}\"", - "Details" : "Details", "Please select tag(s) to add to the selection" : "Please select tag(s) to add to the selection", "Apply tag(s) to selection" : "Apply tag(s) to selection", "Select directory \"{dirName}\"" : "Select directory \"{dirName}\"", "Select file \"{fileName}\"" : "Select file \"{fileName}\"", "Unable to determine date" : "Unable to determine date", + "This directory is unavailable, please check the logs or contact the administrator" : "This directory is unavailable, please check the logs or contact the administrator", "Could not move \"{file}\", target exists" : "Could not move \"{file}\", target exists", "Could not move \"{file}\"" : "Could not move \"{file}\"", "copy" : "copy", @@ -283,10 +280,16 @@ OC.L10N.register( "Upload file" : "Upload file", "An error occurred while trying to update the tags" : "An error occurred while trying to update the tags", "Upload (max. %s)" : "Upload (max. %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" action executed successfully", + "\"{displayName}\" action failed" : "\"{displayName}\" action failed", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" batch action executed successfully", + "WebDAV URL copied to clipboard" : "WebDAV URL copied to clipboard", "Enable the grid view" : "Enable the grid view", + "Copy to clipboard" : "Copy to clipboard", "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", + "Open details" : "Open details", "_{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 30cb7d06ef1..5761e99bfbe 100644 --- a/apps/files/l10n/ka.json +++ b/apps/files/l10n/ka.json @@ -77,15 +77,12 @@ "Total rows summary" : "Total rows summary", "Name" : "Name", "Size" : "Size", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" batch action executed successfully", - "\"{displayName}\" action failed" : "\"{displayName}\" action failed", "Actions" : "Actions", "List of files and folders." : "List of files and folders.", "Column headers with buttons are sortable." : "Column headers with buttons are sortable.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list.", "File not found" : "File not found", "_{count} selected_::_{count} selected_" : ["{count} selected","{count} selected"], - "Search globally" : "Search globally", "{usedQuotaByte} used" : "{usedQuotaByte} used", "{used} of {quota} used" : "{used} of {quota} used", "{relative}% used" : "{relative}% used", @@ -117,7 +114,6 @@ "Operation is blocked by access control" : "Operation is blocked by access control", "Error during upload: {message}" : "Error during upload: {message}", "Unknown error during upload" : "Unknown error during upload", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" action executed successfully", "Loading current folder" : "Loading current folder", "Retry" : "Retry", "No files in here" : "No files in here", @@ -127,7 +123,7 @@ "Files settings" : "Files settings", "File cannot be accessed" : "File cannot be accessed", "Clipboard is not available" : "Clipboard is not available", - "WebDAV URL copied to clipboard" : "WebDAV URL copied to clipboard", + "General" : "General", "All files" : "All files", "Sort favorites first" : "Sort favorites first", "Show hidden files" : "Show hidden files", @@ -135,10 +131,14 @@ "Additional settings" : "Additional settings", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Copy to clipboard", + "Copy" : "Copy", "Keyboard shortcuts" : "Keyboard shortcuts", + "Rename" : "Rename", + "Delete" : "Delete", + "Deselect all" : "Deselect all", "Navigation" : "Navigation", "View" : "View", + "Toggle grid view" : "Toggle grid view", "You" : "You", "Error while loading the file data" : "Error while loading the file data", "Owner" : "Owner", @@ -155,7 +155,6 @@ "Delete permanently" : "Delete permanently", "Delete file" : "Delete file", "Delete folder" : "Delete folder", - "Delete" : "Delete", "Cancel" : "Cancel", "Download" : "Download", "Destination is not a folder" : "Destination is not a folder", @@ -165,7 +164,6 @@ "The file does not exist anymore" : "The file does not exist anymore", "Choose destination" : "Choose destination", "Copy to {target}" : "Copy to {target}", - "Copy" : "Copy", "Move to {target}" : "Move to {target}", "Move" : "Move", "Move or copy" : "Move or copy", @@ -174,14 +172,14 @@ "Open locally" : "Open locally", "Failed to redirect to client" : "Failed to redirect to client", "Open file locally" : "Open file locally", - "Rename" : "Rename", - "Open details" : "Open details", + "Details" : "Details", "View in folder" : "View in folder", "Today" : "დღეს", "Last 7 days" : "Last 7 days", "Last 30 days" : "Last 30 days", "Documents" : "Documents", "Audio" : "Audio", + "Images" : "Images", "Videos" : "Videos", "Created new folder \"{name}\"" : "Created new folder \"{name}\"", "Unable to initialize the templates directory" : "Unable to initialize the templates directory", @@ -192,7 +190,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name.", "Could not rename \"{oldName}\"" : "Could not rename \"{oldName}\"", "This operation is forbidden" : "This operation is forbidden", - "This directory is unavailable, please check the logs or contact the administrator" : "This directory is unavailable, please check the logs or contact the administrator", "Storage is temporarily not available" : "Storage is temporarily not available", "_%n file_::_%n files_" : ["%n file","%n files"], "_%n folder_::_%n folders_" : ["%n folder","%n folders"], @@ -233,12 +230,12 @@ "Edit locally" : "Edit locally", "Open" : "Open", "Could not load info for file \"{file}\"" : "Could not load info for file \"{file}\"", - "Details" : "Details", "Please select tag(s) to add to the selection" : "Please select tag(s) to add to the selection", "Apply tag(s) to selection" : "Apply tag(s) to selection", "Select directory \"{dirName}\"" : "Select directory \"{dirName}\"", "Select file \"{fileName}\"" : "Select file \"{fileName}\"", "Unable to determine date" : "Unable to determine date", + "This directory is unavailable, please check the logs or contact the administrator" : "This directory is unavailable, please check the logs or contact the administrator", "Could not move \"{file}\", target exists" : "Could not move \"{file}\", target exists", "Could not move \"{file}\"" : "Could not move \"{file}\"", "copy" : "copy", @@ -281,10 +278,16 @@ "Upload file" : "Upload file", "An error occurred while trying to update the tags" : "An error occurred while trying to update the tags", "Upload (max. %s)" : "Upload (max. %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" action executed successfully", + "\"{displayName}\" action failed" : "\"{displayName}\" action failed", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" batch action executed successfully", + "WebDAV URL copied to clipboard" : "WebDAV URL copied to clipboard", "Enable the grid view" : "Enable the grid view", + "Copy to clipboard" : "Copy to clipboard", "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", + "Open details" : "Open details", "_{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 70e39c76b18..dfb6f4e29df 100644 --- a/apps/files/l10n/ko.js +++ b/apps/files/l10n/ko.js @@ -107,9 +107,6 @@ OC.L10N.register( "Toggle selection for all files and folders" : "모든 파일 선택/선택해제", "Name" : "이름", "Size" : "크기", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" 일부 요소로 실패", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" 일괄 작업을 성공적으로 실행함", - "\"{displayName}\" action failed" : "\"{displayName}\" 작업을 실패함", "Actions" : "작업", "(selected)" : "(선택됨)", "List of files and folders." : "파일과 폴더의 목록", @@ -117,7 +114,6 @@ OC.L10N.register( "Column headers with buttons are sortable." : "버튼이 있는 열 머리글은 정렬할 수 있습니다.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "성능 상의 이유로 목록을 전부 표시하지 않았습니다. 목록을 탐색하면 파일들이 표시됩니다.", "File not found" : "파일을 찾을 수 없음", - "Search globally" : "전역 검색", "{usedQuotaByte} used" : "{usedQuotaByte} 사용", "{used} of {quota} used" : "{quota} 중 {used} 사용함", "{relative}% used" : "{relative}% 사용", @@ -166,7 +162,6 @@ OC.L10N.register( "Error during upload: {message}" : "업로드 오류: {message}", "Error during upload, status code {status}" : "업로드 중 오류 발생, 상태 코드 {status}", "Unknown error during upload" : "업로드 중 알 수 없는 오류 발생", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" 작업을 성공적으로 실행함", "Loading current folder" : "현재 폴더를 불러오는 중", "Retry" : "다시 시도", "No files in here" : "여기에 파일 없음", @@ -179,39 +174,28 @@ OC.L10N.register( "File cannot be accessed" : "파일에 접근할 수 없음", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "파일을 찾을 수 없거나 볼 권한이 없습니다. 보낸 이에게 공유를 요청하세요.", "Clipboard is not available" : "클립보드를 사용할 수 없습니다.", - "WebDAV URL copied to clipboard" : "WebDAV URL이 클립보드에 복사됨", + "General" : "일반", "All files" : "모든 파일", "Personal files" : "개인 파일", "Sort favorites first" : "즐겨찾기를 처음에 나열", "Sort folders before files" : "폴더를 파일보다 먼저 정렬", - "Enable folder tree" : "폴더 트리 활성화", + "Appearance" : "외형", "Show hidden files" : "숨김 파일 보이기", "Crop image previews" : "이미지 미리보기 확대", "Additional settings" : "고급 설정", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "클립보드로 복사", + "Copy" : "복사", "Keyboard shortcuts" : "키보드 단축키", - "Speed up your Files experience with these quick shortcuts." : "이 빠른 단축키를 사용하여 파일 사용 속도를 높이세요.", - "Open the actions menu for a file" : "파일 작업 메뉴 열기", - "Rename a file" : "파일 이름 바꾸기", - "Delete a file" : "파일 삭제", - "Favorite or remove a file from favorites" : "즐겨찾기에 파일 등록 또는 제거", - "Manage tags for a file" : "파일 태그 관리", + "Rename" : "이름 바꾸기", + "Delete" : "삭제", + "Manage tags" : "태그 관리하기", "Selection" : "선택", "Select all files" : "모든 파일 선택", - "Deselect all files" : "모든 파일 선택 해제", - "Select or deselect a file" : "파일 선택 또는 선택 해제", - "Select a range of files" : "파일 범위 선택", + "Deselect all" : "모두 선택 해제", "Navigation" : "탐색", - "Navigate to the parent folder" : "상위 폴더로 이동", - "Navigate to the file above" : "위 파일로 이동", - "Navigate to the file below" : "아래 파일로 이동", - "Navigate to the file on the left (in grid mode)" : "왼쪽 파일로 이동 (그리드 모드에서)", - "Navigate to the file on the right (in grid mode)" : "오른쪽 파일로 이동 (그리드 모드에서)", "View" : "보기", - "Toggle the grid view" : "바둑판식 보기 전환", - "Open the sidebar for a file" : "파일 사이드바 열기", + "Toggle grid view" : "그리드뷰 전환", "Show those shortcuts" : "다음 단축키 표시", "You" : "당신", "Shared multiple times with different people" : "여러 사용자와 공유됨", @@ -241,7 +225,6 @@ OC.L10N.register( "Delete files" : "파일 삭제", "Delete folder" : "폴더 삭제", "Delete folders" : "폴더 삭제", - "Delete" : "삭제", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["{count}개 항목을 영구적으로 삭제하려 합니다."], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["{count}개 항목을 삭제하려 합니다."], "Confirm deletion" : "삭제 확인", @@ -259,7 +242,6 @@ OC.L10N.register( "The file does not exist anymore" : "파일이 더이상 존재하지 않습니다.", "Choose destination" : "목적지 선택", "Copy to {target}" : "{target}에 복사", - "Copy" : "복사", "Move to {target}" : "{target}에 이동", "Move" : "이동", "Move or copy operation failed" : "이동 또는 복사 작업에 실패함", @@ -271,8 +253,7 @@ OC.L10N.register( "Open file locally" : "로컬에서 파일 열기", "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "이제 이 파일이 당신의 기기에서 열려야 합니다. 그렇지 않다면, 데스크톱 앱이 설치되어 있는지 확인하세요.", "Retry and close" : "재시도 후 닫기", - "Rename" : "이름 바꾸기", - "Open details" : "자세한 정보 열기", + "Details" : "자세한 정보", "View in folder" : "폴더에서 보기", "Today" : "오늘", "Last 7 days" : "지난 7일", @@ -285,7 +266,7 @@ OC.L10N.register( "PDFs" : "PDF", "Folders" : "폴더", "Audio" : "오디오", - "Photos and images" : "사진과 이미지", + "Images" : "이미지", "Videos" : "동영상", "Created new folder \"{name}\"" : "\"{name}\" 폴더를 새로 만듦", "Unable to initialize the templates directory" : "템플릿 디렉터리를 설정할 수 없음", @@ -311,7 +292,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "\"{newName}\" 이름이 \"{dir}\" 폴더에서 이미 사용 중입니다. 다른 이름을 고르세요.", "Could not rename \"{oldName}\"" : "\"{oldName}\"의 이름을 바꿀 수 없음", "This operation is forbidden" : "이 작업이 금지됨", - "This directory is unavailable, please check the logs or contact the administrator" : "디렉터리를 사용할 수 없습니다. 로그를 확인하거나 관리자에게 연락하십시오", "Storage is temporarily not available" : "저장소를 일시적으로 사용할 수 없음", "Unexpected error: {error}" : "예상치 못한 오류: {error}", "_%n file_::_%n files_" : ["파일 %n개"], @@ -362,12 +342,12 @@ OC.L10N.register( "Edit locally" : "로컬에서 편집", "Open" : "열기", "Could not load info for file \"{file}\"" : "파일 \"{file}\"의 정보를 가져올 수 없음", - "Details" : "자세한 정보", "Please select tag(s) to add to the selection" : "선택한 항목에 추가할 태그를 고르세요.", "Apply tag(s) to selection" : "선택한 항목에 태그 적용하기", "Select directory \"{dirName}\"" : "디렉터리 \"{dirName}\" 선택", "Select file \"{fileName}\"" : "파일 \"{fileName}\" 선택", "Unable to determine date" : "날짜를 결정할 수 없음", + "This directory is unavailable, please check the logs or contact the administrator" : "디렉터리를 사용할 수 없습니다. 로그를 확인하거나 관리자에게 연락하십시오", "Could not move \"{file}\", target exists" : "\"{file}\"을(를) 이동할 수 없음, 대상이 존재함", "Could not move \"{file}\"" : "\"{file}\"을(를) 이동할 수 없음", "copy" : "복사", @@ -415,15 +395,24 @@ OC.L10N.register( "Not favored" : "선호하지 않음", "An error occurred while trying to update the tags" : "태그를 업데이트하는 중 오류 발생", "Upload (max. %s)" : "업로드(최대 %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" 작업을 성공적으로 실행함", + "\"{displayName}\" action failed" : "\"{displayName}\" 작업을 실패함", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" 일부 요소로 실패", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" 일괄 작업을 성공적으로 실행함", "Submitting fields…" : "입력란 제출중...", "Filter filenames…" : "파일 이름 필터...", + "WebDAV URL copied to clipboard" : "WebDAV URL이 클립보드에 복사됨", "Enable the grid view" : "바둑판식 보기 활성화", + "Enable folder tree" : "폴더 트리 활성화", + "Copy to clipboard" : "클립보드로 복사", "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" : "이동 또는 복사 작업을 취소함", + "Open details" : "자세한 정보 열기", + "Photos and images" : "사진과 이미지", "New folder creation cancelled" : "새 폴더 생성 취소됨", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount}개 폴더"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount}개 파일"], @@ -433,6 +422,22 @@ OC.L10N.register( "All folders" : "모든 폴더", "Personal Files" : "개인 파일", "Text file" : "텍스트 파일", - "New text file.txt" : "새 텍스트 파일.txt" + "New text file.txt" : "새 텍스트 파일.txt", + "Speed up your Files experience with these quick shortcuts." : "이 빠른 단축키를 사용하여 파일 사용 속도를 높이세요.", + "Open the actions menu for a file" : "파일 작업 메뉴 열기", + "Rename a file" : "파일 이름 바꾸기", + "Delete a file" : "파일 삭제", + "Favorite or remove a file from favorites" : "즐겨찾기에 파일 등록 또는 제거", + "Manage tags for a file" : "파일 태그 관리", + "Deselect all files" : "모든 파일 선택 해제", + "Select or deselect a file" : "파일 선택 또는 선택 해제", + "Select a range of files" : "파일 범위 선택", + "Navigate to the parent folder" : "상위 폴더로 이동", + "Navigate to the file above" : "위 파일로 이동", + "Navigate to the file below" : "아래 파일로 이동", + "Navigate to the file on the left (in grid mode)" : "왼쪽 파일로 이동 (그리드 모드에서)", + "Navigate to the file on the right (in grid mode)" : "오른쪽 파일로 이동 (그리드 모드에서)", + "Toggle the grid view" : "바둑판식 보기 전환", + "Open the sidebar for a file" : "파일 사이드바 열기" }, "nplurals=1; plural=0;"); diff --git a/apps/files/l10n/ko.json b/apps/files/l10n/ko.json index ec3b036c633..8245febabab 100644 --- a/apps/files/l10n/ko.json +++ b/apps/files/l10n/ko.json @@ -105,9 +105,6 @@ "Toggle selection for all files and folders" : "모든 파일 선택/선택해제", "Name" : "이름", "Size" : "크기", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" 일부 요소로 실패", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" 일괄 작업을 성공적으로 실행함", - "\"{displayName}\" action failed" : "\"{displayName}\" 작업을 실패함", "Actions" : "작업", "(selected)" : "(선택됨)", "List of files and folders." : "파일과 폴더의 목록", @@ -115,7 +112,6 @@ "Column headers with buttons are sortable." : "버튼이 있는 열 머리글은 정렬할 수 있습니다.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "성능 상의 이유로 목록을 전부 표시하지 않았습니다. 목록을 탐색하면 파일들이 표시됩니다.", "File not found" : "파일을 찾을 수 없음", - "Search globally" : "전역 검색", "{usedQuotaByte} used" : "{usedQuotaByte} 사용", "{used} of {quota} used" : "{quota} 중 {used} 사용함", "{relative}% used" : "{relative}% 사용", @@ -164,7 +160,6 @@ "Error during upload: {message}" : "업로드 오류: {message}", "Error during upload, status code {status}" : "업로드 중 오류 발생, 상태 코드 {status}", "Unknown error during upload" : "업로드 중 알 수 없는 오류 발생", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" 작업을 성공적으로 실행함", "Loading current folder" : "현재 폴더를 불러오는 중", "Retry" : "다시 시도", "No files in here" : "여기에 파일 없음", @@ -177,39 +172,28 @@ "File cannot be accessed" : "파일에 접근할 수 없음", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "파일을 찾을 수 없거나 볼 권한이 없습니다. 보낸 이에게 공유를 요청하세요.", "Clipboard is not available" : "클립보드를 사용할 수 없습니다.", - "WebDAV URL copied to clipboard" : "WebDAV URL이 클립보드에 복사됨", + "General" : "일반", "All files" : "모든 파일", "Personal files" : "개인 파일", "Sort favorites first" : "즐겨찾기를 처음에 나열", "Sort folders before files" : "폴더를 파일보다 먼저 정렬", - "Enable folder tree" : "폴더 트리 활성화", + "Appearance" : "외형", "Show hidden files" : "숨김 파일 보이기", "Crop image previews" : "이미지 미리보기 확대", "Additional settings" : "고급 설정", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "클립보드로 복사", + "Copy" : "복사", "Keyboard shortcuts" : "키보드 단축키", - "Speed up your Files experience with these quick shortcuts." : "이 빠른 단축키를 사용하여 파일 사용 속도를 높이세요.", - "Open the actions menu for a file" : "파일 작업 메뉴 열기", - "Rename a file" : "파일 이름 바꾸기", - "Delete a file" : "파일 삭제", - "Favorite or remove a file from favorites" : "즐겨찾기에 파일 등록 또는 제거", - "Manage tags for a file" : "파일 태그 관리", + "Rename" : "이름 바꾸기", + "Delete" : "삭제", + "Manage tags" : "태그 관리하기", "Selection" : "선택", "Select all files" : "모든 파일 선택", - "Deselect all files" : "모든 파일 선택 해제", - "Select or deselect a file" : "파일 선택 또는 선택 해제", - "Select a range of files" : "파일 범위 선택", + "Deselect all" : "모두 선택 해제", "Navigation" : "탐색", - "Navigate to the parent folder" : "상위 폴더로 이동", - "Navigate to the file above" : "위 파일로 이동", - "Navigate to the file below" : "아래 파일로 이동", - "Navigate to the file on the left (in grid mode)" : "왼쪽 파일로 이동 (그리드 모드에서)", - "Navigate to the file on the right (in grid mode)" : "오른쪽 파일로 이동 (그리드 모드에서)", "View" : "보기", - "Toggle the grid view" : "바둑판식 보기 전환", - "Open the sidebar for a file" : "파일 사이드바 열기", + "Toggle grid view" : "그리드뷰 전환", "Show those shortcuts" : "다음 단축키 표시", "You" : "당신", "Shared multiple times with different people" : "여러 사용자와 공유됨", @@ -239,7 +223,6 @@ "Delete files" : "파일 삭제", "Delete folder" : "폴더 삭제", "Delete folders" : "폴더 삭제", - "Delete" : "삭제", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["{count}개 항목을 영구적으로 삭제하려 합니다."], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["{count}개 항목을 삭제하려 합니다."], "Confirm deletion" : "삭제 확인", @@ -257,7 +240,6 @@ "The file does not exist anymore" : "파일이 더이상 존재하지 않습니다.", "Choose destination" : "목적지 선택", "Copy to {target}" : "{target}에 복사", - "Copy" : "복사", "Move to {target}" : "{target}에 이동", "Move" : "이동", "Move or copy operation failed" : "이동 또는 복사 작업에 실패함", @@ -269,8 +251,7 @@ "Open file locally" : "로컬에서 파일 열기", "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "이제 이 파일이 당신의 기기에서 열려야 합니다. 그렇지 않다면, 데스크톱 앱이 설치되어 있는지 확인하세요.", "Retry and close" : "재시도 후 닫기", - "Rename" : "이름 바꾸기", - "Open details" : "자세한 정보 열기", + "Details" : "자세한 정보", "View in folder" : "폴더에서 보기", "Today" : "오늘", "Last 7 days" : "지난 7일", @@ -283,7 +264,7 @@ "PDFs" : "PDF", "Folders" : "폴더", "Audio" : "오디오", - "Photos and images" : "사진과 이미지", + "Images" : "이미지", "Videos" : "동영상", "Created new folder \"{name}\"" : "\"{name}\" 폴더를 새로 만듦", "Unable to initialize the templates directory" : "템플릿 디렉터리를 설정할 수 없음", @@ -309,7 +290,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "\"{newName}\" 이름이 \"{dir}\" 폴더에서 이미 사용 중입니다. 다른 이름을 고르세요.", "Could not rename \"{oldName}\"" : "\"{oldName}\"의 이름을 바꿀 수 없음", "This operation is forbidden" : "이 작업이 금지됨", - "This directory is unavailable, please check the logs or contact the administrator" : "디렉터리를 사용할 수 없습니다. 로그를 확인하거나 관리자에게 연락하십시오", "Storage is temporarily not available" : "저장소를 일시적으로 사용할 수 없음", "Unexpected error: {error}" : "예상치 못한 오류: {error}", "_%n file_::_%n files_" : ["파일 %n개"], @@ -360,12 +340,12 @@ "Edit locally" : "로컬에서 편집", "Open" : "열기", "Could not load info for file \"{file}\"" : "파일 \"{file}\"의 정보를 가져올 수 없음", - "Details" : "자세한 정보", "Please select tag(s) to add to the selection" : "선택한 항목에 추가할 태그를 고르세요.", "Apply tag(s) to selection" : "선택한 항목에 태그 적용하기", "Select directory \"{dirName}\"" : "디렉터리 \"{dirName}\" 선택", "Select file \"{fileName}\"" : "파일 \"{fileName}\" 선택", "Unable to determine date" : "날짜를 결정할 수 없음", + "This directory is unavailable, please check the logs or contact the administrator" : "디렉터리를 사용할 수 없습니다. 로그를 확인하거나 관리자에게 연락하십시오", "Could not move \"{file}\", target exists" : "\"{file}\"을(를) 이동할 수 없음, 대상이 존재함", "Could not move \"{file}\"" : "\"{file}\"을(를) 이동할 수 없음", "copy" : "복사", @@ -413,15 +393,24 @@ "Not favored" : "선호하지 않음", "An error occurred while trying to update the tags" : "태그를 업데이트하는 중 오류 발생", "Upload (max. %s)" : "업로드(최대 %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" 작업을 성공적으로 실행함", + "\"{displayName}\" action failed" : "\"{displayName}\" 작업을 실패함", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" 일부 요소로 실패", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" 일괄 작업을 성공적으로 실행함", "Submitting fields…" : "입력란 제출중...", "Filter filenames…" : "파일 이름 필터...", + "WebDAV URL copied to clipboard" : "WebDAV URL이 클립보드에 복사됨", "Enable the grid view" : "바둑판식 보기 활성화", + "Enable folder tree" : "폴더 트리 활성화", + "Copy to clipboard" : "클립보드로 복사", "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" : "이동 또는 복사 작업을 취소함", + "Open details" : "자세한 정보 열기", + "Photos and images" : "사진과 이미지", "New folder creation cancelled" : "새 폴더 생성 취소됨", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount}개 폴더"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount}개 파일"], @@ -431,6 +420,22 @@ "All folders" : "모든 폴더", "Personal Files" : "개인 파일", "Text file" : "텍스트 파일", - "New text file.txt" : "새 텍스트 파일.txt" + "New text file.txt" : "새 텍스트 파일.txt", + "Speed up your Files experience with these quick shortcuts." : "이 빠른 단축키를 사용하여 파일 사용 속도를 높이세요.", + "Open the actions menu for a file" : "파일 작업 메뉴 열기", + "Rename a file" : "파일 이름 바꾸기", + "Delete a file" : "파일 삭제", + "Favorite or remove a file from favorites" : "즐겨찾기에 파일 등록 또는 제거", + "Manage tags for a file" : "파일 태그 관리", + "Deselect all files" : "모든 파일 선택 해제", + "Select or deselect a file" : "파일 선택 또는 선택 해제", + "Select a range of files" : "파일 범위 선택", + "Navigate to the parent folder" : "상위 폴더로 이동", + "Navigate to the file above" : "위 파일로 이동", + "Navigate to the file below" : "아래 파일로 이동", + "Navigate to the file on the left (in grid mode)" : "왼쪽 파일로 이동 (그리드 모드에서)", + "Navigate to the file on the right (in grid mode)" : "오른쪽 파일로 이동 (그리드 모드에서)", + "Toggle the grid view" : "바둑판식 보기 전환", + "Open the sidebar for a file" : "파일 사이드바 열기" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files/l10n/lt_LT.js b/apps/files/l10n/lt_LT.js index 68f64dd9aa6..916b645cef2 100644 --- a/apps/files/l10n/lt_LT.js +++ b/apps/files/l10n/lt_LT.js @@ -88,7 +88,6 @@ OC.L10N.register( "Actions" : "Veiksmai", "List of files and folders." : "Failų ir aplankų sąrašas.", "File not found" : "Failas nerastas", - "Search globally" : "Ieškoti visuotiniu mastu", "{usedQuotaByte} used" : "Naudojama {usedQuotaByte}", "{used} of {quota} used" : "panaudota {used} iš {quota}", "{relative}% used" : "Naudojama {relative}", @@ -132,22 +131,25 @@ OC.L10N.register( "File cannot be accessed" : "Nepavyksta gauti prieigos prie failo", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Nepavyko surasti failo arba jūs neturite leidimo jo peržiūrėti. Paprašykite siuntėjo, kad pradėtų jį su jumis bendrinti.", "Clipboard is not available" : "Iškarpinė neprieinama", - "WebDAV URL copied to clipboard" : "WebDAV URL nukopijuotas į iškarpinę", + "General" : "Bendra", "All files" : "Visi failai", "Personal files" : "Asmeniniai failai", - "Enable folder tree" : "Įjungti direktorijų medį", + "Appearance" : "Išvaizda", "Show hidden files" : "Rodyti paslėptus failus", "Crop image previews" : "Apkirpti paveikslėlių peržiūras", "Additional settings" : "Papildomi nustatymai", "WebDAV" : "WebDAV", - "Copy to clipboard" : "Kopijuoti į iškarpinę", + "Copy" : "Kopijuoti", "Warnings" : "Įspėjimai", "Keyboard shortcuts" : "Spartieji klavišai", - "Rename a file" : "Pervadinti failą", - "Delete a file" : "Ištrinti failą", + "Rename" : "Pervadinti", + "Delete" : "Ištrinti", + "Manage tags" : "Tvarkyti žymas", "Selection" : "Pasirinkimas", + "Deselect all" : "Panaikinti pasirinkimą", "Navigation" : "Navigacija", "View" : "Rodyti", + "Toggle grid view" : "Rodyti tinkleliu", "You" : "Jūs", "Error while loading the file data" : "Klaida įkeliant failo duomenis", "Owner" : "Savivinkas", @@ -168,7 +170,6 @@ OC.L10N.register( "Delete files" : "Ištrinti failus", "Delete folder" : "Ištrinti aplanką", "Delete folders" : "Ištrinti aplankus", - "Delete" : "Ištrinti", "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Jūs ketinate ištrinti {count} elementą","Jūs ketinate ištrinti {count} elementus","Jūs ketinate ištrinti {count} elementų","Jūs ketinate ištrinti {count} elementą"], "Cancel" : "Atsisakyti", "Download" : "Atsisiųsti", @@ -179,7 +180,6 @@ OC.L10N.register( "The files are locked" : "Failai yra užrakinti", "The file does not exist anymore" : "Failo daugiau nebėra", "Copy to {target}" : "Kopijuoti į {target}", - "Copy" : "Kopijuoti", "Move to {target}" : "Perkelti į {target}", "Move" : "Perkelti", "Move or copy operation failed" : "Perkėlimo ar kopijavimo operacija patyrė nesėkmę", @@ -187,8 +187,7 @@ OC.L10N.register( "Open folder {displayName}" : "Atverti aplanką {displayName}", "Failed to redirect to client" : "Nepavyko peradresuoti į klientą", "Retry and close" : "Bandyti dar kartą ir užverti", - "Rename" : "Pervadinti", - "Open details" : "Atverti išsamesnę informaciją", + "Details" : "Išsamiau", "View in folder" : "Rodyti aplanke", "Today" : "Šiandien", "Last 7 days" : "Paskutinės 7 dienos", @@ -199,7 +198,7 @@ OC.L10N.register( "PDFs" : "PDF dokumentai", "Folders" : "Aplankai", "Audio" : "Garso įrašai", - "Photos and images" : "Nuotraukos ir paveikslai", + "Images" : "Paveikslai", "Videos" : "Vaizdo įrašai", "Created new folder \"{name}\"" : "Sukurtas naujas aplankas „{name}“", "Unable to initialize the templates directory" : "Nepavyko inicijuoti šablonų katalogo", @@ -215,7 +214,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Pavadinimas „{newName}“ jau naudojamas aplanke „{dir}“. Pasirinkite kitokį pavadinimą.", "Could not rename \"{oldName}\"" : "Nepavyko pervadinti „{oldName}“", "This operation is forbidden" : "Ši operacija yra uždrausta", - "This directory is unavailable, please check the logs or contact the administrator" : "Šis katalogas neprieinamas, peržiūrėkite žurnalo įrašus arba susisiekite su administratoriumi", "Storage is temporarily not available" : "Saugykla yra laikinai neprieinama", "Unexpected error: {error}" : "Netikėta klaida: {error}", "_%n file_::_%n files_" : ["%n failas","%n failai","%n failų","%n failas"], @@ -259,12 +257,12 @@ OC.L10N.register( "Edit locally" : "Redaguoti lokaliai", "Open" : "Atverti", "Could not load info for file \"{file}\"" : "Nepavyko įkelti informacijos failui „{file}“", - "Details" : "Išsamiau", "Please select tag(s) to add to the selection" : "Pasirinkite žymas, kurias pridėsite prie pažymėtų", "Apply tag(s) to selection" : "Pritaikyti žymą(-as) pažymėtiems", "Select directory \"{dirName}\"" : "Pasirinkite direktoriją \"{dirName}\"", "Select file \"{fileName}\"" : "Pasirinkite failą \"{fileName}\"", "Unable to determine date" : "Nepavyksta nustatyti datos", + "This directory is unavailable, please check the logs or contact the administrator" : "Šis katalogas neprieinamas, peržiūrėkite žurnalo įrašus arba susisiekite su administratoriumi", "Could not move \"{file}\", target exists" : "Nepavyko perkelti „{file}“, toks failas jau yra", "Could not move \"{file}\"" : "Nepavyko perkelti „{file}“", "copy" : "kopija", @@ -304,9 +302,14 @@ OC.L10N.register( "An error occurred while trying to update the tags" : "Įvyko klaida bandant atnaujinti žymas", "Upload (max. %s)" : "Įkelti (maks. %s)", "Filter filenames…" : "Filtruoti failų pavadinimus…", + "WebDAV URL copied to clipboard" : "WebDAV URL nukopijuotas į iškarpinę", "Enable the grid view" : "Įjungti grid peržiūrą", + "Enable folder tree" : "Įjungti direktorijų medį", + "Copy to clipboard" : "Kopijuoti į iškarpinę", "Use this address to access your Files via WebDAV" : "Naudokite šį adresą norėdami pasiekti failus per WebDAV", "Deletion cancelled" : "Ištrynimo atsisakyta", + "Open details" : "Atverti išsamesnę informaciją", + "Photos and images" : "Nuotraukos ir paveikslai", "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"], @@ -315,6 +318,8 @@ OC.L10N.register( "All folders" : "Visi aplankai", "Personal Files" : "Asmeniniai failai", "Text file" : "Tekstinis failas", - "New text file.txt" : "Naujas tekstinis failas.txt" + "New text file.txt" : "Naujas tekstinis failas.txt", + "Rename a file" : "Pervadinti failą", + "Delete a file" : "Ištrinti failą" }, "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/l10n/lt_LT.json b/apps/files/l10n/lt_LT.json index f8bc201fecc..5342b6bf37b 100644 --- a/apps/files/l10n/lt_LT.json +++ b/apps/files/l10n/lt_LT.json @@ -86,7 +86,6 @@ "Actions" : "Veiksmai", "List of files and folders." : "Failų ir aplankų sąrašas.", "File not found" : "Failas nerastas", - "Search globally" : "Ieškoti visuotiniu mastu", "{usedQuotaByte} used" : "Naudojama {usedQuotaByte}", "{used} of {quota} used" : "panaudota {used} iš {quota}", "{relative}% used" : "Naudojama {relative}", @@ -130,22 +129,25 @@ "File cannot be accessed" : "Nepavyksta gauti prieigos prie failo", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Nepavyko surasti failo arba jūs neturite leidimo jo peržiūrėti. Paprašykite siuntėjo, kad pradėtų jį su jumis bendrinti.", "Clipboard is not available" : "Iškarpinė neprieinama", - "WebDAV URL copied to clipboard" : "WebDAV URL nukopijuotas į iškarpinę", + "General" : "Bendra", "All files" : "Visi failai", "Personal files" : "Asmeniniai failai", - "Enable folder tree" : "Įjungti direktorijų medį", + "Appearance" : "Išvaizda", "Show hidden files" : "Rodyti paslėptus failus", "Crop image previews" : "Apkirpti paveikslėlių peržiūras", "Additional settings" : "Papildomi nustatymai", "WebDAV" : "WebDAV", - "Copy to clipboard" : "Kopijuoti į iškarpinę", + "Copy" : "Kopijuoti", "Warnings" : "Įspėjimai", "Keyboard shortcuts" : "Spartieji klavišai", - "Rename a file" : "Pervadinti failą", - "Delete a file" : "Ištrinti failą", + "Rename" : "Pervadinti", + "Delete" : "Ištrinti", + "Manage tags" : "Tvarkyti žymas", "Selection" : "Pasirinkimas", + "Deselect all" : "Panaikinti pasirinkimą", "Navigation" : "Navigacija", "View" : "Rodyti", + "Toggle grid view" : "Rodyti tinkleliu", "You" : "Jūs", "Error while loading the file data" : "Klaida įkeliant failo duomenis", "Owner" : "Savivinkas", @@ -166,7 +168,6 @@ "Delete files" : "Ištrinti failus", "Delete folder" : "Ištrinti aplanką", "Delete folders" : "Ištrinti aplankus", - "Delete" : "Ištrinti", "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Jūs ketinate ištrinti {count} elementą","Jūs ketinate ištrinti {count} elementus","Jūs ketinate ištrinti {count} elementų","Jūs ketinate ištrinti {count} elementą"], "Cancel" : "Atsisakyti", "Download" : "Atsisiųsti", @@ -177,7 +178,6 @@ "The files are locked" : "Failai yra užrakinti", "The file does not exist anymore" : "Failo daugiau nebėra", "Copy to {target}" : "Kopijuoti į {target}", - "Copy" : "Kopijuoti", "Move to {target}" : "Perkelti į {target}", "Move" : "Perkelti", "Move or copy operation failed" : "Perkėlimo ar kopijavimo operacija patyrė nesėkmę", @@ -185,8 +185,7 @@ "Open folder {displayName}" : "Atverti aplanką {displayName}", "Failed to redirect to client" : "Nepavyko peradresuoti į klientą", "Retry and close" : "Bandyti dar kartą ir užverti", - "Rename" : "Pervadinti", - "Open details" : "Atverti išsamesnę informaciją", + "Details" : "Išsamiau", "View in folder" : "Rodyti aplanke", "Today" : "Šiandien", "Last 7 days" : "Paskutinės 7 dienos", @@ -197,7 +196,7 @@ "PDFs" : "PDF dokumentai", "Folders" : "Aplankai", "Audio" : "Garso įrašai", - "Photos and images" : "Nuotraukos ir paveikslai", + "Images" : "Paveikslai", "Videos" : "Vaizdo įrašai", "Created new folder \"{name}\"" : "Sukurtas naujas aplankas „{name}“", "Unable to initialize the templates directory" : "Nepavyko inicijuoti šablonų katalogo", @@ -213,7 +212,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Pavadinimas „{newName}“ jau naudojamas aplanke „{dir}“. Pasirinkite kitokį pavadinimą.", "Could not rename \"{oldName}\"" : "Nepavyko pervadinti „{oldName}“", "This operation is forbidden" : "Ši operacija yra uždrausta", - "This directory is unavailable, please check the logs or contact the administrator" : "Šis katalogas neprieinamas, peržiūrėkite žurnalo įrašus arba susisiekite su administratoriumi", "Storage is temporarily not available" : "Saugykla yra laikinai neprieinama", "Unexpected error: {error}" : "Netikėta klaida: {error}", "_%n file_::_%n files_" : ["%n failas","%n failai","%n failų","%n failas"], @@ -257,12 +255,12 @@ "Edit locally" : "Redaguoti lokaliai", "Open" : "Atverti", "Could not load info for file \"{file}\"" : "Nepavyko įkelti informacijos failui „{file}“", - "Details" : "Išsamiau", "Please select tag(s) to add to the selection" : "Pasirinkite žymas, kurias pridėsite prie pažymėtų", "Apply tag(s) to selection" : "Pritaikyti žymą(-as) pažymėtiems", "Select directory \"{dirName}\"" : "Pasirinkite direktoriją \"{dirName}\"", "Select file \"{fileName}\"" : "Pasirinkite failą \"{fileName}\"", "Unable to determine date" : "Nepavyksta nustatyti datos", + "This directory is unavailable, please check the logs or contact the administrator" : "Šis katalogas neprieinamas, peržiūrėkite žurnalo įrašus arba susisiekite su administratoriumi", "Could not move \"{file}\", target exists" : "Nepavyko perkelti „{file}“, toks failas jau yra", "Could not move \"{file}\"" : "Nepavyko perkelti „{file}“", "copy" : "kopija", @@ -302,9 +300,14 @@ "An error occurred while trying to update the tags" : "Įvyko klaida bandant atnaujinti žymas", "Upload (max. %s)" : "Įkelti (maks. %s)", "Filter filenames…" : "Filtruoti failų pavadinimus…", + "WebDAV URL copied to clipboard" : "WebDAV URL nukopijuotas į iškarpinę", "Enable the grid view" : "Įjungti grid peržiūrą", + "Enable folder tree" : "Įjungti direktorijų medį", + "Copy to clipboard" : "Kopijuoti į iškarpinę", "Use this address to access your Files via WebDAV" : "Naudokite šį adresą norėdami pasiekti failus per WebDAV", "Deletion cancelled" : "Ištrynimo atsisakyta", + "Open details" : "Atverti išsamesnę informaciją", + "Photos and images" : "Nuotraukos ir paveikslai", "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"], @@ -313,6 +316,8 @@ "All folders" : "Visi aplankai", "Personal Files" : "Asmeniniai failai", "Text file" : "Tekstinis failas", - "New text file.txt" : "Naujas tekstinis failas.txt" + "New text file.txt" : "Naujas tekstinis failas.txt", + "Rename a file" : "Pervadinti failą", + "Delete a file" : "Ištrinti failą" },"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/l10n/mk.js b/apps/files/l10n/mk.js index 860367a4e6b..1a380f84d8d 100644 --- a/apps/files/l10n/mk.js +++ b/apps/files/l10n/mk.js @@ -102,8 +102,6 @@ OC.L10N.register( "Name" : "Име", "File type" : "Вид на датотека", "Size" : "Големина", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" сериската акција е успешно извршена", - "\"{displayName}\" action failed" : "\"{displayName}\" акцијата не успеа", "Actions" : "Акции", "(selected)" : "(означени)", "List of files and folders." : "Листа на датотеки и папки.", @@ -112,11 +110,7 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Оваа листа не е целосно прикажана поради заштеда на перформанси. Датотеките ќе се прикажуваат додека се движите низ листата.", "File not found" : "Датотеката не е пронајдена", "_{count} selected_::_{count} selected_" : ["{count} означена","{count} означени"], - "Search globally by filename …" : "Пребарај глобално по име на датотека ...", - "Search here by filename …" : "Пребарај овде по име на датотека ...", "Search scope options" : "Параметри за опсег на пребарување", - "Filter and search from this location" : "Филтрирај и пребарај во оваа локација", - "Search globally" : "Пребарај глобално", "{usedQuotaByte} used" : "искористено {usedQuotaByte}", "{used} of {quota} used" : "Искористени {used} од {quota}", "{relative}% used" : "искористено {relative}% ", @@ -162,7 +156,6 @@ OC.L10N.register( "Error during upload: {message}" : "Грешка при прикачување: {message}", "Error during upload, status code {status}" : "Грешка при прикачување, статус код {status}", "Unknown error during upload" : "Непозната грешка при прикачување", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" акцијата е успешно извршена", "Loading current folder" : "Вчитување на моменталната папка", "Retry" : "Обидете се повторно", "No files in here" : "Тука нема датотеки", @@ -177,45 +170,32 @@ OC.L10N.register( "No search results for “{query}”" : "Нема резултати од пребарувањето за \"{query}\"", "Search for files" : "Пребарај датотеки", "Clipboard is not available" : "Клипбордот не е достапен", - "WebDAV URL copied to clipboard" : "CalDAV линкот е копиран", + "General" : "Општо", "Default view" : "Стандарден поглед", "All files" : "Сите датотеки", "Personal files" : "Лични датотеки", "Sort favorites first" : "Прво омилените", "Sort folders before files" : "Подреди ги папките пред датотеките", - "Enable folder tree" : "Овозможи поглед на дрво", + "Appearance" : "Изглед", "Show hidden files" : "Прикажи сокриени датотеки", "Show file type column" : "Прикажи колона за тип на датотека", "Crop image previews" : "Исечи ја сликата за преглед", "Additional settings" : "Дополнителни параметри", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV адреса", - "Copy to clipboard" : "Копирај во клипборд", + "Copy" : "Копирај", "Warnings" : "Предупредувања", - "Prevent warning dialogs from open or reenable them." : "Спречете ги дијалозите за предупредување да се отвораат или повторно овозможете ги.", - "Show a warning dialog when changing a file extension." : "Прикажи дијалог за предупредување при промена на екстензија на датотека.", - "Show a warning dialog when deleting files." : "Прикажи дијалог за предупредување при бришење датотеки.", "Keyboard shortcuts" : "Кратенки преку тастатура", - "Speed up your Files experience with these quick shortcuts." : "Забрзајте го вашето искуство со овие брзи кратенки.", - "Open the actions menu for a file" : "Отвори Мени со акции за датотека", - "Rename a file" : "Преименувај датотека", - "Delete a file" : "Избриши датотека", - "Favorite or remove a file from favorites" : "Додади или острани од омилени", - "Manage tags for a file" : "Управувај со ознаки за датотека", + "File actions" : "Акции со датотеки", + "Rename" : "Преименувај", + "Delete" : "Избриши", + "Manage tags" : "Уреди ги ознаките", "Selection" : "Селектирање", "Select all files" : "Селектирај ги сите датотеки", - "Deselect all files" : "Деселектирај ги сите датотеки", - "Select or deselect a file" : "Селектирај или деселектирај датотека", - "Select a range of files" : "Селектирај опсег на датотеки", + "Deselect all" : "Одселектирај се", "Navigation" : "Навигација", - "Navigate to the parent folder" : "Врати се до предходната папка", - "Navigate to the file above" : "Оди до датотека горе", - "Navigate to the file below" : "Оди до датотека доле", - "Navigate to the file on the left (in grid mode)" : "Оди до датотека лево (само во мрежен приказ)", - "Navigate to the file on the right (in grid mode)" : "Оди до датотека десно (само во мрежен приказ)", "View" : "Поглед", - "Toggle the grid view" : "Вклучи/исклучи мрежен приказ", - "Open the sidebar for a file" : "Отвори странична лента за датотека", + "Toggle grid view" : "Промена во мрежа", "Show those shortcuts" : "Покажи ги овие кратенки", "You" : "Вас", "Shared multiple times with different people" : "Споделено повеќе пати со различни луѓе", @@ -241,7 +221,6 @@ OC.L10N.register( "Delete files" : "Избриши датотеки", "Delete folder" : "Избриши папка", "Delete folders" : "Избриши папки", - "Delete" : "Избриши", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Сакате да избришете {count} датотека","Сакате да избришете {count} датотеки"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Сакате да избришете {count} датотека","Сакате да избришете {count} датотеки"], "Confirm deletion" : "Потврди бришење", @@ -257,7 +236,6 @@ OC.L10N.register( "The file does not exist anymore" : "Датотеката не постои", "Choose destination" : "Избери дестинација", "Copy to {target}" : "Копирај во {target}", - "Copy" : "Копирај", "Move to {target}" : "Премести во {target}", "Move" : "Премести", "Move or copy" : "Премести или копирај", @@ -266,8 +244,7 @@ OC.L10N.register( "Open locally" : "Отвори локално", "Failed to redirect to client" : "Неуспешно пренасочување кон клиентот", "Open file locally" : "Отвори ја датотеката локално", - "Rename" : "Преименувај", - "Open details" : "Отвори детали", + "Details" : "Детали:", "View in folder" : "Погледни во папката", "Today" : "Денес", "Last 7 days" : "Предходни 7 дена", @@ -280,7 +257,7 @@ OC.L10N.register( "PDFs" : "PDF-и", "Folders" : "Папки", "Audio" : "Аудио", - "Photos and images" : "Фотографии и слики", + "Images" : "Слики", "Videos" : "Видеа", "Created new folder \"{name}\"" : "Креирана нова папка \"{name}\"", "Unable to initialize the templates directory" : "Не може да се иницијализира папка за шаблони", @@ -298,7 +275,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Името \"{newName}\" веќе се користи во папката \"{dir}\". Ве молиме изберете друго име.", "Could not rename \"{oldName}\"" : "Неможе да се преименува \"{oldName}\"", "This operation is forbidden" : "Операцијата не е дозволена", - "This directory is unavailable, please check the logs or contact the administrator" : "Овој директориум е недостапен, ве молиме проверете ги логовите или контактирајте со администраторот", "Storage is temporarily not available" : "Складиштето моментално не е достапно", "Unexpected error: {error}" : "Неочекувана грешка: {error}", "_%n file_::_%n files_" : ["%n датотека","%n датотеки"], @@ -347,12 +323,12 @@ OC.L10N.register( "Edit locally" : "Уреди локално", "Open" : "Отвори", "Could not load info for file \"{file}\"" : "Неможе да се вчитаат информации за датотеката \"{file}\"", - "Details" : "Детали:", "Please select tag(s) to add to the selection" : "Избери ознаки за одбележаното", "Apply tag(s) to selection" : "Примени ознаки на обележаните", "Select directory \"{dirName}\"" : "Избери папка \"{dirName}\"", "Select file \"{fileName}\"" : "Избери датотека \"{fileName}\"", "Unable to determine date" : "Неможе да се одреди датумот", + "This directory is unavailable, please check the logs or contact the administrator" : "Овој директориум е недостапен, ве молиме проверете ги логовите или контактирајте со администраторот", "Could not move \"{file}\", target exists" : "Не може да се премести \"{file}\", веќе постои", "Could not move \"{file}\"" : "Не може да се премести \"{file}\"", "copy" : "копирај", @@ -397,12 +373,20 @@ OC.L10N.register( "Upload file" : "Прикачи датотека", "An error occurred while trying to update the tags" : "Се случи грешка додека се обидувавте да ги освежите таговите", "Upload (max. %s)" : "Префрлање (макс. %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" акцијата е успешно извршена", + "\"{displayName}\" action failed" : "\"{displayName}\" акцијата не успеа", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" сериската акција е успешно извршена", "Filter filenames…" : "Филтрирај имиња на датотеки ...", + "WebDAV URL copied to clipboard" : "CalDAV линкот е копиран", "Enable the grid view" : "Овозможи поглед во мрежа", + "Enable folder tree" : "Овозможи поглед на дрво", + "Copy to clipboard" : "Копирај во клипборд", "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" : "Откажана операција на копирање или преместување", + "Open details" : "Отвори детали", + "Photos and images" : "Фотографии и слики", "_{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} папки"], @@ -414,6 +398,24 @@ OC.L10N.register( "New text file.txt" : "Нова текстуална датотека file.txt", "%1$s (renamed)" : "%1$s (преименувано)", "renamed file" : "преименувана датотека", - "Filter file names …" : "Филтрирај имиња на датотеки ..." + "Filter file names …" : "Филтрирај имиња на датотеки ...", + "Prevent warning dialogs from open or reenable them." : "Спречете ги дијалозите за предупредување да се отвораат или повторно овозможете ги.", + "Show a warning dialog when changing a file extension." : "Прикажи дијалог за предупредување при промена на екстензија на датотека.", + "Speed up your Files experience with these quick shortcuts." : "Забрзајте го вашето искуство со овие брзи кратенки.", + "Open the actions menu for a file" : "Отвори Мени со акции за датотека", + "Rename a file" : "Преименувај датотека", + "Delete a file" : "Избриши датотека", + "Favorite or remove a file from favorites" : "Додади или острани од омилени", + "Manage tags for a file" : "Управувај со ознаки за датотека", + "Deselect all files" : "Деселектирај ги сите датотеки", + "Select or deselect a file" : "Селектирај или деселектирај датотека", + "Select a range of files" : "Селектирај опсег на датотеки", + "Navigate to the parent folder" : "Врати се до предходната папка", + "Navigate to the file above" : "Оди до датотека горе", + "Navigate to the file below" : "Оди до датотека доле", + "Navigate to the file on the left (in grid mode)" : "Оди до датотека лево (само во мрежен приказ)", + "Navigate to the file on the right (in grid mode)" : "Оди до датотека десно (само во мрежен приказ)", + "Toggle the grid view" : "Вклучи/исклучи мрежен приказ", + "Open the sidebar for a file" : "Отвори странична лента за датотека" }, "nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;"); diff --git a/apps/files/l10n/mk.json b/apps/files/l10n/mk.json index 9cebae548d8..9009063e042 100644 --- a/apps/files/l10n/mk.json +++ b/apps/files/l10n/mk.json @@ -100,8 +100,6 @@ "Name" : "Име", "File type" : "Вид на датотека", "Size" : "Големина", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" сериската акција е успешно извршена", - "\"{displayName}\" action failed" : "\"{displayName}\" акцијата не успеа", "Actions" : "Акции", "(selected)" : "(означени)", "List of files and folders." : "Листа на датотеки и папки.", @@ -110,11 +108,7 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Оваа листа не е целосно прикажана поради заштеда на перформанси. Датотеките ќе се прикажуваат додека се движите низ листата.", "File not found" : "Датотеката не е пронајдена", "_{count} selected_::_{count} selected_" : ["{count} означена","{count} означени"], - "Search globally by filename …" : "Пребарај глобално по име на датотека ...", - "Search here by filename …" : "Пребарај овде по име на датотека ...", "Search scope options" : "Параметри за опсег на пребарување", - "Filter and search from this location" : "Филтрирај и пребарај во оваа локација", - "Search globally" : "Пребарај глобално", "{usedQuotaByte} used" : "искористено {usedQuotaByte}", "{used} of {quota} used" : "Искористени {used} од {quota}", "{relative}% used" : "искористено {relative}% ", @@ -160,7 +154,6 @@ "Error during upload: {message}" : "Грешка при прикачување: {message}", "Error during upload, status code {status}" : "Грешка при прикачување, статус код {status}", "Unknown error during upload" : "Непозната грешка при прикачување", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" акцијата е успешно извршена", "Loading current folder" : "Вчитување на моменталната папка", "Retry" : "Обидете се повторно", "No files in here" : "Тука нема датотеки", @@ -175,45 +168,32 @@ "No search results for “{query}”" : "Нема резултати од пребарувањето за \"{query}\"", "Search for files" : "Пребарај датотеки", "Clipboard is not available" : "Клипбордот не е достапен", - "WebDAV URL copied to clipboard" : "CalDAV линкот е копиран", + "General" : "Општо", "Default view" : "Стандарден поглед", "All files" : "Сите датотеки", "Personal files" : "Лични датотеки", "Sort favorites first" : "Прво омилените", "Sort folders before files" : "Подреди ги папките пред датотеките", - "Enable folder tree" : "Овозможи поглед на дрво", + "Appearance" : "Изглед", "Show hidden files" : "Прикажи сокриени датотеки", "Show file type column" : "Прикажи колона за тип на датотека", "Crop image previews" : "Исечи ја сликата за преглед", "Additional settings" : "Дополнителни параметри", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV адреса", - "Copy to clipboard" : "Копирај во клипборд", + "Copy" : "Копирај", "Warnings" : "Предупредувања", - "Prevent warning dialogs from open or reenable them." : "Спречете ги дијалозите за предупредување да се отвораат или повторно овозможете ги.", - "Show a warning dialog when changing a file extension." : "Прикажи дијалог за предупредување при промена на екстензија на датотека.", - "Show a warning dialog when deleting files." : "Прикажи дијалог за предупредување при бришење датотеки.", "Keyboard shortcuts" : "Кратенки преку тастатура", - "Speed up your Files experience with these quick shortcuts." : "Забрзајте го вашето искуство со овие брзи кратенки.", - "Open the actions menu for a file" : "Отвори Мени со акции за датотека", - "Rename a file" : "Преименувај датотека", - "Delete a file" : "Избриши датотека", - "Favorite or remove a file from favorites" : "Додади или острани од омилени", - "Manage tags for a file" : "Управувај со ознаки за датотека", + "File actions" : "Акции со датотеки", + "Rename" : "Преименувај", + "Delete" : "Избриши", + "Manage tags" : "Уреди ги ознаките", "Selection" : "Селектирање", "Select all files" : "Селектирај ги сите датотеки", - "Deselect all files" : "Деселектирај ги сите датотеки", - "Select or deselect a file" : "Селектирај или деселектирај датотека", - "Select a range of files" : "Селектирај опсег на датотеки", + "Deselect all" : "Одселектирај се", "Navigation" : "Навигација", - "Navigate to the parent folder" : "Врати се до предходната папка", - "Navigate to the file above" : "Оди до датотека горе", - "Navigate to the file below" : "Оди до датотека доле", - "Navigate to the file on the left (in grid mode)" : "Оди до датотека лево (само во мрежен приказ)", - "Navigate to the file on the right (in grid mode)" : "Оди до датотека десно (само во мрежен приказ)", "View" : "Поглед", - "Toggle the grid view" : "Вклучи/исклучи мрежен приказ", - "Open the sidebar for a file" : "Отвори странична лента за датотека", + "Toggle grid view" : "Промена во мрежа", "Show those shortcuts" : "Покажи ги овие кратенки", "You" : "Вас", "Shared multiple times with different people" : "Споделено повеќе пати со различни луѓе", @@ -239,7 +219,6 @@ "Delete files" : "Избриши датотеки", "Delete folder" : "Избриши папка", "Delete folders" : "Избриши папки", - "Delete" : "Избриши", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Сакате да избришете {count} датотека","Сакате да избришете {count} датотеки"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Сакате да избришете {count} датотека","Сакате да избришете {count} датотеки"], "Confirm deletion" : "Потврди бришење", @@ -255,7 +234,6 @@ "The file does not exist anymore" : "Датотеката не постои", "Choose destination" : "Избери дестинација", "Copy to {target}" : "Копирај во {target}", - "Copy" : "Копирај", "Move to {target}" : "Премести во {target}", "Move" : "Премести", "Move or copy" : "Премести или копирај", @@ -264,8 +242,7 @@ "Open locally" : "Отвори локално", "Failed to redirect to client" : "Неуспешно пренасочување кон клиентот", "Open file locally" : "Отвори ја датотеката локално", - "Rename" : "Преименувај", - "Open details" : "Отвори детали", + "Details" : "Детали:", "View in folder" : "Погледни во папката", "Today" : "Денес", "Last 7 days" : "Предходни 7 дена", @@ -278,7 +255,7 @@ "PDFs" : "PDF-и", "Folders" : "Папки", "Audio" : "Аудио", - "Photos and images" : "Фотографии и слики", + "Images" : "Слики", "Videos" : "Видеа", "Created new folder \"{name}\"" : "Креирана нова папка \"{name}\"", "Unable to initialize the templates directory" : "Не може да се иницијализира папка за шаблони", @@ -296,7 +273,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Името \"{newName}\" веќе се користи во папката \"{dir}\". Ве молиме изберете друго име.", "Could not rename \"{oldName}\"" : "Неможе да се преименува \"{oldName}\"", "This operation is forbidden" : "Операцијата не е дозволена", - "This directory is unavailable, please check the logs or contact the administrator" : "Овој директориум е недостапен, ве молиме проверете ги логовите или контактирајте со администраторот", "Storage is temporarily not available" : "Складиштето моментално не е достапно", "Unexpected error: {error}" : "Неочекувана грешка: {error}", "_%n file_::_%n files_" : ["%n датотека","%n датотеки"], @@ -345,12 +321,12 @@ "Edit locally" : "Уреди локално", "Open" : "Отвори", "Could not load info for file \"{file}\"" : "Неможе да се вчитаат информации за датотеката \"{file}\"", - "Details" : "Детали:", "Please select tag(s) to add to the selection" : "Избери ознаки за одбележаното", "Apply tag(s) to selection" : "Примени ознаки на обележаните", "Select directory \"{dirName}\"" : "Избери папка \"{dirName}\"", "Select file \"{fileName}\"" : "Избери датотека \"{fileName}\"", "Unable to determine date" : "Неможе да се одреди датумот", + "This directory is unavailable, please check the logs or contact the administrator" : "Овој директориум е недостапен, ве молиме проверете ги логовите или контактирајте со администраторот", "Could not move \"{file}\", target exists" : "Не може да се премести \"{file}\", веќе постои", "Could not move \"{file}\"" : "Не може да се премести \"{file}\"", "copy" : "копирај", @@ -395,12 +371,20 @@ "Upload file" : "Прикачи датотека", "An error occurred while trying to update the tags" : "Се случи грешка додека се обидувавте да ги освежите таговите", "Upload (max. %s)" : "Префрлање (макс. %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" акцијата е успешно извршена", + "\"{displayName}\" action failed" : "\"{displayName}\" акцијата не успеа", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" сериската акција е успешно извршена", "Filter filenames…" : "Филтрирај имиња на датотеки ...", + "WebDAV URL copied to clipboard" : "CalDAV линкот е копиран", "Enable the grid view" : "Овозможи поглед во мрежа", + "Enable folder tree" : "Овозможи поглед на дрво", + "Copy to clipboard" : "Копирај во клипборд", "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" : "Откажана операција на копирање или преместување", + "Open details" : "Отвори детали", + "Photos and images" : "Фотографии и слики", "_{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} папки"], @@ -412,6 +396,24 @@ "New text file.txt" : "Нова текстуална датотека file.txt", "%1$s (renamed)" : "%1$s (преименувано)", "renamed file" : "преименувана датотека", - "Filter file names …" : "Филтрирај имиња на датотеки ..." + "Filter file names …" : "Филтрирај имиња на датотеки ...", + "Prevent warning dialogs from open or reenable them." : "Спречете ги дијалозите за предупредување да се отвораат или повторно овозможете ги.", + "Show a warning dialog when changing a file extension." : "Прикажи дијалог за предупредување при промена на екстензија на датотека.", + "Speed up your Files experience with these quick shortcuts." : "Забрзајте го вашето искуство со овие брзи кратенки.", + "Open the actions menu for a file" : "Отвори Мени со акции за датотека", + "Rename a file" : "Преименувај датотека", + "Delete a file" : "Избриши датотека", + "Favorite or remove a file from favorites" : "Додади или острани од омилени", + "Manage tags for a file" : "Управувај со ознаки за датотека", + "Deselect all files" : "Деселектирај ги сите датотеки", + "Select or deselect a file" : "Селектирај или деселектирај датотека", + "Select a range of files" : "Селектирај опсег на датотеки", + "Navigate to the parent folder" : "Врати се до предходната папка", + "Navigate to the file above" : "Оди до датотека горе", + "Navigate to the file below" : "Оди до датотека доле", + "Navigate to the file on the left (in grid mode)" : "Оди до датотека лево (само во мрежен приказ)", + "Navigate to the file on the right (in grid mode)" : "Оди до датотека десно (само во мрежен приказ)", + "Toggle the grid view" : "Вклучи/исклучи мрежен приказ", + "Open the sidebar for a file" : "Отвори странична лента за датотека" },"pluralForm" :"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;" }
\ No newline at end of file diff --git a/apps/files/l10n/nb.js b/apps/files/l10n/nb.js index 6b071f6c2bc..29cec51666f 100644 --- a/apps/files/l10n/nb.js +++ b/apps/files/l10n/nb.js @@ -104,8 +104,6 @@ OC.L10N.register( "Toggle selection for all files and folders" : "Veksle valg for alle filer og mapper", "Name" : "Navn", "Size" : "Størrelse", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" massehandling utført", - "\"{displayName}\" action failed" : "\"{displayName}\"-handling feilet", "Actions" : "Handlinger", "(selected)" : "(valgt)", "List of files and folders." : "Liste over filer og mapper.", @@ -113,7 +111,6 @@ OC.L10N.register( "Column headers with buttons are sortable." : "Kolonneoverskrifter med knapper kan sorteres.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Denne listen er ikke fullstendig gjengitt av ytelsesgrunner. Filene gjengis når du navigerer gjennom listen.", "File not found" : "Finner ikke filen", - "Search globally" : "Søk globalt", "{usedQuotaByte} used" : "{usedQuotaByte} brukt", "{used} of {quota} used" : "{used} av {quota} brukt", "{relative}% used" : "{relative}% brukt", @@ -156,7 +153,6 @@ OC.L10N.register( "Error during upload: {message}" : "Feil under opplasting: {message}", "Error during upload, status code {status}" : "Feil under opplasting, statuskode {status}", "Unknown error during upload" : "Ukjent feil under opplasting", - "\"{displayName}\" action executed successfully" : "\"{displayName}\"-handling utført", "Loading current folder" : "Laster gjeldende mappe", "Retry" : "Prøv igjen", "No files in here" : "Ingen filer", @@ -169,36 +165,29 @@ OC.L10N.register( "File cannot be accessed" : "Filen er ikke tilgjengelig", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Filen ble ikke funnet, eller du har ikke tillatelse til å vise den. Be avsenderen om å dele den.", "Clipboard is not available" : "Utklippstavlen er ikke tilgjengelig", - "WebDAV URL copied to clipboard" : "WebDAV-URL kopiert til utklippstavlen", + "General" : "Generell", "All files" : "Alle filer", "Personal files" : "Personlige filer", "Sort favorites first" : "Sorter favoritter først", "Sort folders before files" : "Sorter mapper før filer", - "Enable folder tree" : "Aktiver mappetre", + "Appearance" : "Utseende", "Show hidden files" : "Vis skjulte filer", "Crop image previews" : "Beskjær forhåndsvisninger av bilder", "Additional settings" : "Flere innstillinger", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Kopiert til utklippstavlen", + "Copy" : "Kopier", "Keyboard shortcuts" : "Tastatursnarveier", - "Speed up your Files experience with these quick shortcuts." : "Jobb raskere med filer ved å bruke disse hurtigtastene.", - "Open the actions menu for a file" : "Åpner handlingsmenyen for en fil", - "Rename a file" : "Gi nytt navn til en fil", - "Delete a file" : "Slett en fil", - "Favorite or remove a file from favorites" : "Legg til og fjern en fil fra Favoritter", - "Manage tags for a file" : "Behandle merkelapper for en fil", + "File actions" : "Filhandlinger", + "Rename" : "Gi nytt navn", + "Delete" : "Slett", + "Manage tags" : "Håndtere etiketter", "Selection" : "Valg", "Select all files" : "Velg alle filer", - "Deselect all files" : "Velg ingen filer", + "Deselect all" : "Fjern all markering", "Navigation" : "Navigasjon", - "Navigate to the parent folder" : "Gå til overordnet mappe", - "Navigate to the file above" : "Gå til filen over", - "Navigate to the file below" : "Gå til filen under", - "Navigate to the file on the left (in grid mode)" : "Gå til filen til venstre (i rutenettvisning)", - "Navigate to the file on the right (in grid mode)" : "Gå til filen til høyre (i rutenettvisning)", "View" : "Vis", - "Toggle the grid view" : "Slå på/av rutenettvisning", + "Toggle grid view" : "Veksle rutenett-visning", "Show those shortcuts" : "Vis hurtigtastene", "You" : "Du", "Shared multiple times with different people" : "Del flere ganger med forskjellige personer", @@ -222,7 +211,6 @@ OC.L10N.register( "Delete files" : "Slett filer", "Delete folder" : "Slett mappe", "Delete folders" : "Slett mapper", - "Delete" : "Slett", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Du er i ferd med å slette permanent {count} element","Du er i ferd med å slette permanent {count} elementer"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Du er i ferd med å slette {count} element","Du er i ferd med å slette {count} elementer"], "Confirm deletion" : "Bekreft sletting", @@ -240,7 +228,6 @@ OC.L10N.register( "The file does not exist anymore" : "Filen finnes ikke lenger", "Choose destination" : "Velg målplassering", "Copy to {target}" : "Copy to {target}", - "Copy" : "Kopier", "Move to {target}" : "Move to {target}", "Move" : "Flytt", "Move or copy operation failed" : "Flytte- eller kopieringsoperason feilet", @@ -252,8 +239,7 @@ OC.L10N.register( "Open file locally" : "Åpne fil lokalt", "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Filen skal nå åpnes på enheten din. Om ikke, vennligst sjekk at du har skrivebordsprogrammet installert.", "Retry and close" : "Prøv igjen og lukk", - "Rename" : "Gi nytt navn", - "Open details" : "Åpne detaljer", + "Details" : "Detaljer", "View in folder" : "Vis i mappe", "Today" : "I dag", "Last 7 days" : "Siste 7 dager", @@ -266,7 +252,7 @@ OC.L10N.register( "PDFs" : "PDFer", "Folders" : "Mapper", "Audio" : "Lyd", - "Photos and images" : "Fotoer og bilder", + "Images" : "Bilder", "Videos" : "Filmer", "Created new folder \"{name}\"" : "Opprettet ny mappe \"{name}\"", "Unable to initialize the templates directory" : "Kan ikke initialisere mal-mappen", @@ -292,7 +278,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Navnet \"{newName}\" er allerede brukt i mappen \"{dir}\". Velg et annet navn.", "Could not rename \"{oldName}\"" : "Kunne ikke omdøpe \"{oldName}\"", "This operation is forbidden" : "Operasjonen er forbudt", - "This directory is unavailable, please check the logs or contact the administrator" : "Denne mappen er utilgjengelig. Sjekk loggene eller kontakt administrator", "Storage is temporarily not available" : "Lagring er midlertidig utilgjengelig", "Unexpected error: {error}" : "Uventet feil: {error}", "_%n file_::_%n files_" : ["%n fil","%n filer"], @@ -343,12 +328,12 @@ OC.L10N.register( "Edit locally" : "Rediger lokalt", "Open" : "Åpne", "Could not load info for file \"{file}\"" : "Klarte ikke å hente informasjon som filen \"{file}\"", - "Details" : "Detaljer", "Please select tag(s) to add to the selection" : "Velg merkelapper(er) for å legge til utvalget", "Apply tag(s) to selection" : "Bruk merkelapp(er) på utvalget", "Select directory \"{dirName}\"" : "Velg mappe \"{dirName}\"", "Select file \"{fileName}\"" : "Velg fil \"{fileName}\"", "Unable to determine date" : "Kan ikke fastslå datoen", + "This directory is unavailable, please check the logs or contact the administrator" : "Denne mappen er utilgjengelig. Sjekk loggene eller kontakt administrator", "Could not move \"{file}\", target exists" : "Klarte ikke å flytte \"{file}\", målfilen finnes", "Could not move \"{file}\"" : "Klarte ikke å flytte \"{file}\"", "copy" : "kopier", @@ -396,15 +381,23 @@ OC.L10N.register( "Not favored" : "Ikke favorittlagt", "An error occurred while trying to update the tags" : "En feil oppsto under oppdatering av merkelappene", "Upload (max. %s)" : "Opplasting (maks %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\"-handling utført", + "\"{displayName}\" action failed" : "\"{displayName}\"-handling feilet", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" massehandling utført", "Submitting fields…" : "Sender inn felt...", "Filter filenames…" : "Filtrer filnavn...", + "WebDAV URL copied to clipboard" : "WebDAV-URL kopiert til utklippstavlen", "Enable the grid view" : "Aktiver rutenettvisningen", + "Enable folder tree" : "Aktiver mappetre", + "Copy to clipboard" : "Kopiert til utklippstavlen", "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", + "Open details" : "Åpne detaljer", + "Photos and images" : "Fotoer og bilder", "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"], @@ -414,6 +407,19 @@ OC.L10N.register( "All folders" : "Alle mapper", "Personal Files" : "Personlige filer", "Text file" : "Tekstfil", - "New text file.txt" : "Ny tekstfil.txt" + "New text file.txt" : "Ny tekstfil.txt", + "Speed up your Files experience with these quick shortcuts." : "Jobb raskere med filer ved å bruke disse hurtigtastene.", + "Open the actions menu for a file" : "Åpner handlingsmenyen for en fil", + "Rename a file" : "Gi nytt navn til en fil", + "Delete a file" : "Slett en fil", + "Favorite or remove a file from favorites" : "Legg til og fjern en fil fra Favoritter", + "Manage tags for a file" : "Behandle merkelapper for en fil", + "Deselect all files" : "Velg ingen filer", + "Navigate to the parent folder" : "Gå til overordnet mappe", + "Navigate to the file above" : "Gå til filen over", + "Navigate to the file below" : "Gå til filen under", + "Navigate to the file on the left (in grid mode)" : "Gå til filen til venstre (i rutenettvisning)", + "Navigate to the file on the right (in grid mode)" : "Gå til filen til høyre (i rutenettvisning)", + "Toggle the grid view" : "Slå på/av rutenettvisning" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/nb.json b/apps/files/l10n/nb.json index 00f6185c6a1..9e77868a825 100644 --- a/apps/files/l10n/nb.json +++ b/apps/files/l10n/nb.json @@ -102,8 +102,6 @@ "Toggle selection for all files and folders" : "Veksle valg for alle filer og mapper", "Name" : "Navn", "Size" : "Størrelse", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" massehandling utført", - "\"{displayName}\" action failed" : "\"{displayName}\"-handling feilet", "Actions" : "Handlinger", "(selected)" : "(valgt)", "List of files and folders." : "Liste over filer og mapper.", @@ -111,7 +109,6 @@ "Column headers with buttons are sortable." : "Kolonneoverskrifter med knapper kan sorteres.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Denne listen er ikke fullstendig gjengitt av ytelsesgrunner. Filene gjengis når du navigerer gjennom listen.", "File not found" : "Finner ikke filen", - "Search globally" : "Søk globalt", "{usedQuotaByte} used" : "{usedQuotaByte} brukt", "{used} of {quota} used" : "{used} av {quota} brukt", "{relative}% used" : "{relative}% brukt", @@ -154,7 +151,6 @@ "Error during upload: {message}" : "Feil under opplasting: {message}", "Error during upload, status code {status}" : "Feil under opplasting, statuskode {status}", "Unknown error during upload" : "Ukjent feil under opplasting", - "\"{displayName}\" action executed successfully" : "\"{displayName}\"-handling utført", "Loading current folder" : "Laster gjeldende mappe", "Retry" : "Prøv igjen", "No files in here" : "Ingen filer", @@ -167,36 +163,29 @@ "File cannot be accessed" : "Filen er ikke tilgjengelig", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Filen ble ikke funnet, eller du har ikke tillatelse til å vise den. Be avsenderen om å dele den.", "Clipboard is not available" : "Utklippstavlen er ikke tilgjengelig", - "WebDAV URL copied to clipboard" : "WebDAV-URL kopiert til utklippstavlen", + "General" : "Generell", "All files" : "Alle filer", "Personal files" : "Personlige filer", "Sort favorites first" : "Sorter favoritter først", "Sort folders before files" : "Sorter mapper før filer", - "Enable folder tree" : "Aktiver mappetre", + "Appearance" : "Utseende", "Show hidden files" : "Vis skjulte filer", "Crop image previews" : "Beskjær forhåndsvisninger av bilder", "Additional settings" : "Flere innstillinger", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Kopiert til utklippstavlen", + "Copy" : "Kopier", "Keyboard shortcuts" : "Tastatursnarveier", - "Speed up your Files experience with these quick shortcuts." : "Jobb raskere med filer ved å bruke disse hurtigtastene.", - "Open the actions menu for a file" : "Åpner handlingsmenyen for en fil", - "Rename a file" : "Gi nytt navn til en fil", - "Delete a file" : "Slett en fil", - "Favorite or remove a file from favorites" : "Legg til og fjern en fil fra Favoritter", - "Manage tags for a file" : "Behandle merkelapper for en fil", + "File actions" : "Filhandlinger", + "Rename" : "Gi nytt navn", + "Delete" : "Slett", + "Manage tags" : "Håndtere etiketter", "Selection" : "Valg", "Select all files" : "Velg alle filer", - "Deselect all files" : "Velg ingen filer", + "Deselect all" : "Fjern all markering", "Navigation" : "Navigasjon", - "Navigate to the parent folder" : "Gå til overordnet mappe", - "Navigate to the file above" : "Gå til filen over", - "Navigate to the file below" : "Gå til filen under", - "Navigate to the file on the left (in grid mode)" : "Gå til filen til venstre (i rutenettvisning)", - "Navigate to the file on the right (in grid mode)" : "Gå til filen til høyre (i rutenettvisning)", "View" : "Vis", - "Toggle the grid view" : "Slå på/av rutenettvisning", + "Toggle grid view" : "Veksle rutenett-visning", "Show those shortcuts" : "Vis hurtigtastene", "You" : "Du", "Shared multiple times with different people" : "Del flere ganger med forskjellige personer", @@ -220,7 +209,6 @@ "Delete files" : "Slett filer", "Delete folder" : "Slett mappe", "Delete folders" : "Slett mapper", - "Delete" : "Slett", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Du er i ferd med å slette permanent {count} element","Du er i ferd med å slette permanent {count} elementer"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Du er i ferd med å slette {count} element","Du er i ferd med å slette {count} elementer"], "Confirm deletion" : "Bekreft sletting", @@ -238,7 +226,6 @@ "The file does not exist anymore" : "Filen finnes ikke lenger", "Choose destination" : "Velg målplassering", "Copy to {target}" : "Copy to {target}", - "Copy" : "Kopier", "Move to {target}" : "Move to {target}", "Move" : "Flytt", "Move or copy operation failed" : "Flytte- eller kopieringsoperason feilet", @@ -250,8 +237,7 @@ "Open file locally" : "Åpne fil lokalt", "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Filen skal nå åpnes på enheten din. Om ikke, vennligst sjekk at du har skrivebordsprogrammet installert.", "Retry and close" : "Prøv igjen og lukk", - "Rename" : "Gi nytt navn", - "Open details" : "Åpne detaljer", + "Details" : "Detaljer", "View in folder" : "Vis i mappe", "Today" : "I dag", "Last 7 days" : "Siste 7 dager", @@ -264,7 +250,7 @@ "PDFs" : "PDFer", "Folders" : "Mapper", "Audio" : "Lyd", - "Photos and images" : "Fotoer og bilder", + "Images" : "Bilder", "Videos" : "Filmer", "Created new folder \"{name}\"" : "Opprettet ny mappe \"{name}\"", "Unable to initialize the templates directory" : "Kan ikke initialisere mal-mappen", @@ -290,7 +276,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Navnet \"{newName}\" er allerede brukt i mappen \"{dir}\". Velg et annet navn.", "Could not rename \"{oldName}\"" : "Kunne ikke omdøpe \"{oldName}\"", "This operation is forbidden" : "Operasjonen er forbudt", - "This directory is unavailable, please check the logs or contact the administrator" : "Denne mappen er utilgjengelig. Sjekk loggene eller kontakt administrator", "Storage is temporarily not available" : "Lagring er midlertidig utilgjengelig", "Unexpected error: {error}" : "Uventet feil: {error}", "_%n file_::_%n files_" : ["%n fil","%n filer"], @@ -341,12 +326,12 @@ "Edit locally" : "Rediger lokalt", "Open" : "Åpne", "Could not load info for file \"{file}\"" : "Klarte ikke å hente informasjon som filen \"{file}\"", - "Details" : "Detaljer", "Please select tag(s) to add to the selection" : "Velg merkelapper(er) for å legge til utvalget", "Apply tag(s) to selection" : "Bruk merkelapp(er) på utvalget", "Select directory \"{dirName}\"" : "Velg mappe \"{dirName}\"", "Select file \"{fileName}\"" : "Velg fil \"{fileName}\"", "Unable to determine date" : "Kan ikke fastslå datoen", + "This directory is unavailable, please check the logs or contact the administrator" : "Denne mappen er utilgjengelig. Sjekk loggene eller kontakt administrator", "Could not move \"{file}\", target exists" : "Klarte ikke å flytte \"{file}\", målfilen finnes", "Could not move \"{file}\"" : "Klarte ikke å flytte \"{file}\"", "copy" : "kopier", @@ -394,15 +379,23 @@ "Not favored" : "Ikke favorittlagt", "An error occurred while trying to update the tags" : "En feil oppsto under oppdatering av merkelappene", "Upload (max. %s)" : "Opplasting (maks %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\"-handling utført", + "\"{displayName}\" action failed" : "\"{displayName}\"-handling feilet", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" massehandling utført", "Submitting fields…" : "Sender inn felt...", "Filter filenames…" : "Filtrer filnavn...", + "WebDAV URL copied to clipboard" : "WebDAV-URL kopiert til utklippstavlen", "Enable the grid view" : "Aktiver rutenettvisningen", + "Enable folder tree" : "Aktiver mappetre", + "Copy to clipboard" : "Kopiert til utklippstavlen", "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", + "Open details" : "Åpne detaljer", + "Photos and images" : "Fotoer og bilder", "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"], @@ -412,6 +405,19 @@ "All folders" : "Alle mapper", "Personal Files" : "Personlige filer", "Text file" : "Tekstfil", - "New text file.txt" : "Ny tekstfil.txt" + "New text file.txt" : "Ny tekstfil.txt", + "Speed up your Files experience with these quick shortcuts." : "Jobb raskere med filer ved å bruke disse hurtigtastene.", + "Open the actions menu for a file" : "Åpner handlingsmenyen for en fil", + "Rename a file" : "Gi nytt navn til en fil", + "Delete a file" : "Slett en fil", + "Favorite or remove a file from favorites" : "Legg til og fjern en fil fra Favoritter", + "Manage tags for a file" : "Behandle merkelapper for en fil", + "Deselect all files" : "Velg ingen filer", + "Navigate to the parent folder" : "Gå til overordnet mappe", + "Navigate to the file above" : "Gå til filen over", + "Navigate to the file below" : "Gå til filen under", + "Navigate to the file on the left (in grid mode)" : "Gå til filen til venstre (i rutenettvisning)", + "Navigate to the file on the right (in grid mode)" : "Gå til filen til høyre (i rutenettvisning)", + "Toggle the grid view" : "Slå på/av rutenettvisning" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/nl.js b/apps/files/l10n/nl.js index af59cb4fefd..19c2ee2eaf5 100644 --- a/apps/files/l10n/nl.js +++ b/apps/files/l10n/nl.js @@ -115,9 +115,6 @@ OC.L10N.register( "Name" : "Naam", "File type" : "Bestandstype", "Size" : "Grootte", - "\"{displayName}\" failed on some elements" : "“{displayName}” mislukt op sommige elementen", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" batchactie succesvol uitgevoerd", - "\"{displayName}\" action failed" : "\"{displayName}\" actie mislukt", "Actions" : "Acties", "(selected)" : "(geselecteerd)", "List of files and folders." : "Lijst van bestanden en mappen.", @@ -126,11 +123,7 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "De lijst is niet volledig verwerkt om de prestatie niet te beperken. De bestanden worden verder verwerkt als je door de lijst navigeert.", "File not found" : "Bestand niet gevonden", "_{count} selected_::_{count} selected_" : ["{count} geselecteerd","{count} geselecteerd"], - "Search globally by filename …" : "Zoek door alles op bestandsnaam …", - "Search here by filename …" : "Zoek hier op bestandsnaam …", "Search scope options" : "Zoek bereikopties", - "Filter and search from this location" : "Filter en zoek vanaf deze locatie", - "Search globally" : "Zoek door alles", "{usedQuotaByte} used" : "{usedQuotaByte} gebruikt", "{used} of {quota} used" : "{used} van {quota} gebruikt", "{relative}% used" : "{relative}% gebruikt", @@ -180,7 +173,6 @@ OC.L10N.register( "Error during upload: {message}" : "Fout tijdens upload: {message}", "Error during upload, status code {status}" : "Fout tijdens upload, status code {status}", "Unknown error during upload" : "Onbekende fout tijdens upload", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" actie succesvol uitgevoerd", "Loading current folder" : "Laden huidige map", "Retry" : "Opnieuw", "No files in here" : "Hier geen bestanden", @@ -195,49 +187,34 @@ OC.L10N.register( "No search results for “{query}”" : "No search results for “{query}”", "Search for files" : "Zoeken naar bestanden", "Clipboard is not available" : "Klembord niet beschikbaar", - "WebDAV URL copied to clipboard" : "WebDAV URL naar klembord gekopieerd", + "General" : "Algemeen", "Default view" : "Standaardweergave", "All files" : "Alle bestanden", "Personal files" : "Persoonlijke bestanden", "Sort favorites first" : "Sorteer eerst favorieten", "Sort folders before files" : "Sorteer mappen voor bestanden", - "Enable folder tree" : "Mappenboom inschakelen", - "Visual settings" : "Visuele instellingen", + "Folder tree" : "Mapboom", + "Appearance" : "Uiterlijk", "Show hidden files" : "Toon verborgen bestanden", "Show file type column" : "Toon bestandstypekolom", "Crop image previews" : "Snij afbeeldingvoorbeelden bij", - "Show files extensions" : "Bestanden extensies weergeven", "Additional settings" : "Aanvullende instellingen", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Kopiëren naar het klembord", - "Use this address to access your Files via WebDAV." : "Gebruik dit adres om toegang te krijgen tot je bestanden via WebDAV.", + "Copy" : "Kopiëren", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Tweefactorauthenticatie is ingeschakeld voor jouw account en daarom moet je een app-wachtwoord gebruiken om een externe WebDAV-client aan te sluiten.", "Warnings" : "Waarschuwingen", - "Prevent warning dialogs from open or reenable them." : "Voorkom dat waarschuwingsvensters worden geopend of schakel ze opnieuw in.", - "Show a warning dialog when changing a file extension." : "Een waarschuwingsvenster tonen bij het wijzigen van een bestandsextensie.", - "Show a warning dialog when deleting files." : "Een waarschuwingsdialoogvenster tonen bij het verwijderen van bestanden.", "Keyboard shortcuts" : "Toetsenbord sneltoetsen", - "Speed up your Files experience with these quick shortcuts." : "Verbeter je interactie met bestanden met deze snelkoppelingen.", - "Open the actions menu for a file" : "Open het actiemenu voor een bestand", - "Rename a file" : "Een bestand hernoemen", - "Delete a file" : "Een bestand verwijderen", - "Favorite or remove a file from favorites" : "Favoriet maken of een bestand verwijderen uit favorieten", - "Manage tags for a file" : "Tags voor een bestand beheren", + "File actions" : "Bestandsacties", + "Rename" : "Naam wijzigen", + "Delete" : "Verwijderen", + "Manage tags" : "Berichttags", "Selection" : "Selectie", "Select all files" : "Selecteer alle bestanden", - "Deselect all files" : "Selectie van bestanden ongedaan maken", - "Select or deselect a file" : "Een bestand selecteren of deselecteren", - "Select a range of files" : "Selecteer een reeks bestanden", + "Deselect all" : "Deselecteer alles", "Navigation" : "Navigatie", - "Navigate to the parent folder" : "Navigeer naar de bovenliggende map", - "Navigate to the file above" : "Navigeer naar bovenliggend bestand", - "Navigate to the file below" : "Navigeer naar onderliggend bestand", - "Navigate to the file on the left (in grid mode)" : "Navigeer naar het bestand aan de linkerkant (in rastermodus)", - "Navigate to the file on the right (in grid mode)" : "Navigeer naar het bestand aan de rechterkant (in rastermodus)", "View" : "Bekijken", - "Toggle the grid view" : "Rasterweergave omschakelen", - "Open the sidebar for a file" : "Open de zijbalk voor een bestand", + "Toggle grid view" : "Omschakelen roosterweergave", "Show those shortcuts" : "Toon die snelkoppelingen", "You" : "Jij", "Shared multiple times with different people" : "Meerdere keren gedeeld met verschillende mensen", @@ -276,7 +253,6 @@ OC.L10N.register( "Delete files" : "Verwijder bestanden", "Delete folder" : "Map verwijderen", "Delete folders" : "Verwijder mappen", - "Delete" : "Verwijderen", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Je staat op het punt om {count} item permanent te verwijderen","Je staat op het punt om {count} items permanent te verwijderen"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Je staat op het punt om {count} item te verwijderen","Je staat op het punt om {count}items te verwijderen"], "Confirm deletion" : "Bevestig verwijderen", @@ -294,7 +270,6 @@ OC.L10N.register( "The file does not exist anymore" : "Dit bestand bestaat niet meer", "Choose destination" : "Kies bestemming", "Copy to {target}" : "Kopieer naar {target}", - "Copy" : "Kopiëren", "Move to {target}" : "Verplaats naar {target}", "Move" : "Verplaatsen", "Move or copy operation failed" : "Verplaatsen of kopiëren mislukt", @@ -307,8 +282,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Het bestand zou nu moeten openen op je apparaat. Als dat niet het geval is, controleer dan of je de desktop app geïnstalleerd hebt.", "Retry and close" : "Probeer opnieuw en sluiten", "Open online" : "Open online", - "Rename" : "Naam wijzigen", - "Open details" : "Details openen", + "Details" : "Details", "View in folder" : "Bekijken in map", "Today" : "Vandaag", "Last 7 days" : "Laatste 7 dagen", @@ -321,7 +295,7 @@ OC.L10N.register( "PDFs" : "PDFs", "Folders" : "Mappen", "Audio" : "Geluid", - "Photos and images" : "Foto's en afbeeldingen", + "Images" : "Afbeeldingen", "Videos" : "Video's", "Created new folder \"{name}\"" : "Nieuwe map \"¨{name}\" gemaakt.", "Unable to initialize the templates directory" : "Kon de sjablonenmap niet instellen", @@ -348,7 +322,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "De naam \"{newName}\" bestaat al in map \"{dir}\". Kies een andere naam.", "Could not rename \"{oldName}\"" : "Kon \"{oldName}\" niet hernoemen", "This operation is forbidden" : "Deze taak is verboden", - "This directory is unavailable, please check the logs or contact the administrator" : "Deze map is niet beschikbaar. Verifieer de logs of neem contact op met de beheerder", "Storage is temporarily not available" : "Opslag is tijdelijk niet beschikbaar", "Unexpected error: {error}" : "Onverwachte fout: {error}", "_%n file_::_%n files_" : ["%n bestand","%n bestanden"], @@ -363,7 +336,6 @@ OC.L10N.register( "No favorites yet" : "Nog geen favorieten", "Files and folders you mark as favorite will show up here" : "Bestanden en mappen die je als favoriet aanmerkt, worden hier getoond", "List of your files and folders." : "Lijst van je bestanden en mappen.", - "Folder tree" : "Mapboom", "List of your files and folders that are not shared." : "Lijst van je bestanden en mappen die niet gedeeld zijn.", "No personal files found" : "Geen persoonlijke bestanden gevonden", "Files that are not shared will show up here." : "Niet-gedeelde bestanden worden hier getoond.", @@ -402,12 +374,12 @@ OC.L10N.register( "Edit locally" : "Lokaal bewerken", "Open" : "Openen", "Could not load info for file \"{file}\"" : "Kon geen informatie laden voor bestand \"{file}\"", - "Details" : "Details", "Please select tag(s) to add to the selection" : "Selecteer alsjeblieft tag(s) om aan de selectie toe te voegen", "Apply tag(s) to selection" : "Pas tag(s) toe voor selectie", "Select directory \"{dirName}\"" : "Kies map \"{dirName}\"", "Select file \"{fileName}\"" : "Kies bestand \"{fileName}\"", "Unable to determine date" : "Kon datum niet vaststellen", + "This directory is unavailable, please check the logs or contact the administrator" : "Deze map is niet beschikbaar. Verifieer de logs of neem contact op met de beheerder", "Could not move \"{file}\", target exists" : "Kon \"{file}\" niet verplaatsen, doel bestaat al", "Could not move \"{file}\"" : "Kon \"{file}\" niet verplaatsen", "copy" : "kopie", @@ -455,15 +427,24 @@ OC.L10N.register( "Not favored" : "Geen favoriet", "An error occurred while trying to update the tags" : "Er trad een fout op bij je poging om de tags bij te werken", "Upload (max. %s)" : "Upload (max. %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" actie succesvol uitgevoerd", + "\"{displayName}\" action failed" : "\"{displayName}\" actie mislukt", + "\"{displayName}\" failed on some elements" : "“{displayName}” mislukt op sommige elementen", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" batchactie succesvol uitgevoerd", "Submitting fields…" : "Verzenden velden ...", "Filter filenames…" : "Filter bestandsnamen...", + "WebDAV URL copied to clipboard" : "WebDAV URL naar klembord gekopieerd", "Enable the grid view" : "Roosterweergave inschakelen", + "Enable folder tree" : "Mappenboom inschakelen", + "Copy to clipboard" : "Kopiëren naar het klembord", "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.", + "Open details" : "Details openen", + "Photos and images" : "Foto's en afbeeldingen", "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"], @@ -477,6 +458,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (hernoemd)", "renamed file" : "bestand hernoemd", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Na inschakeling van Windows-compatibele bestandsnamen, kunnen bestaande bestanden niet meer worden gewijzigd, maar kunnen ze door de eigenaar worden hernoemd naar geldige nieuwe namen.", - "Filter file names …" : "Bestandsnamen filteren ..." + "Filter file names …" : "Bestandsnamen filteren ...", + "Prevent warning dialogs from open or reenable them." : "Voorkom dat waarschuwingsvensters worden geopend of schakel ze opnieuw in.", + "Show a warning dialog when changing a file extension." : "Een waarschuwingsvenster tonen bij het wijzigen van een bestandsextensie.", + "Speed up your Files experience with these quick shortcuts." : "Verbeter je interactie met bestanden met deze snelkoppelingen.", + "Open the actions menu for a file" : "Open het actiemenu voor een bestand", + "Rename a file" : "Een bestand hernoemen", + "Delete a file" : "Een bestand verwijderen", + "Favorite or remove a file from favorites" : "Favoriet maken of een bestand verwijderen uit favorieten", + "Manage tags for a file" : "Tags voor een bestand beheren", + "Deselect all files" : "Selectie van bestanden ongedaan maken", + "Select or deselect a file" : "Een bestand selecteren of deselecteren", + "Select a range of files" : "Selecteer een reeks bestanden", + "Navigate to the parent folder" : "Navigeer naar de bovenliggende map", + "Navigate to the file above" : "Navigeer naar bovenliggend bestand", + "Navigate to the file below" : "Navigeer naar onderliggend bestand", + "Navigate to the file on the left (in grid mode)" : "Navigeer naar het bestand aan de linkerkant (in rastermodus)", + "Navigate to the file on the right (in grid mode)" : "Navigeer naar het bestand aan de rechterkant (in rastermodus)", + "Toggle the grid view" : "Rasterweergave omschakelen", + "Open the sidebar for a file" : "Open de zijbalk voor een bestand" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/nl.json b/apps/files/l10n/nl.json index e2f4b04690f..7eab1b33b91 100644 --- a/apps/files/l10n/nl.json +++ b/apps/files/l10n/nl.json @@ -113,9 +113,6 @@ "Name" : "Naam", "File type" : "Bestandstype", "Size" : "Grootte", - "\"{displayName}\" failed on some elements" : "“{displayName}” mislukt op sommige elementen", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" batchactie succesvol uitgevoerd", - "\"{displayName}\" action failed" : "\"{displayName}\" actie mislukt", "Actions" : "Acties", "(selected)" : "(geselecteerd)", "List of files and folders." : "Lijst van bestanden en mappen.", @@ -124,11 +121,7 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "De lijst is niet volledig verwerkt om de prestatie niet te beperken. De bestanden worden verder verwerkt als je door de lijst navigeert.", "File not found" : "Bestand niet gevonden", "_{count} selected_::_{count} selected_" : ["{count} geselecteerd","{count} geselecteerd"], - "Search globally by filename …" : "Zoek door alles op bestandsnaam …", - "Search here by filename …" : "Zoek hier op bestandsnaam …", "Search scope options" : "Zoek bereikopties", - "Filter and search from this location" : "Filter en zoek vanaf deze locatie", - "Search globally" : "Zoek door alles", "{usedQuotaByte} used" : "{usedQuotaByte} gebruikt", "{used} of {quota} used" : "{used} van {quota} gebruikt", "{relative}% used" : "{relative}% gebruikt", @@ -178,7 +171,6 @@ "Error during upload: {message}" : "Fout tijdens upload: {message}", "Error during upload, status code {status}" : "Fout tijdens upload, status code {status}", "Unknown error during upload" : "Onbekende fout tijdens upload", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" actie succesvol uitgevoerd", "Loading current folder" : "Laden huidige map", "Retry" : "Opnieuw", "No files in here" : "Hier geen bestanden", @@ -193,49 +185,34 @@ "No search results for “{query}”" : "No search results for “{query}”", "Search for files" : "Zoeken naar bestanden", "Clipboard is not available" : "Klembord niet beschikbaar", - "WebDAV URL copied to clipboard" : "WebDAV URL naar klembord gekopieerd", + "General" : "Algemeen", "Default view" : "Standaardweergave", "All files" : "Alle bestanden", "Personal files" : "Persoonlijke bestanden", "Sort favorites first" : "Sorteer eerst favorieten", "Sort folders before files" : "Sorteer mappen voor bestanden", - "Enable folder tree" : "Mappenboom inschakelen", - "Visual settings" : "Visuele instellingen", + "Folder tree" : "Mapboom", + "Appearance" : "Uiterlijk", "Show hidden files" : "Toon verborgen bestanden", "Show file type column" : "Toon bestandstypekolom", "Crop image previews" : "Snij afbeeldingvoorbeelden bij", - "Show files extensions" : "Bestanden extensies weergeven", "Additional settings" : "Aanvullende instellingen", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Kopiëren naar het klembord", - "Use this address to access your Files via WebDAV." : "Gebruik dit adres om toegang te krijgen tot je bestanden via WebDAV.", + "Copy" : "Kopiëren", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Tweefactorauthenticatie is ingeschakeld voor jouw account en daarom moet je een app-wachtwoord gebruiken om een externe WebDAV-client aan te sluiten.", "Warnings" : "Waarschuwingen", - "Prevent warning dialogs from open or reenable them." : "Voorkom dat waarschuwingsvensters worden geopend of schakel ze opnieuw in.", - "Show a warning dialog when changing a file extension." : "Een waarschuwingsvenster tonen bij het wijzigen van een bestandsextensie.", - "Show a warning dialog when deleting files." : "Een waarschuwingsdialoogvenster tonen bij het verwijderen van bestanden.", "Keyboard shortcuts" : "Toetsenbord sneltoetsen", - "Speed up your Files experience with these quick shortcuts." : "Verbeter je interactie met bestanden met deze snelkoppelingen.", - "Open the actions menu for a file" : "Open het actiemenu voor een bestand", - "Rename a file" : "Een bestand hernoemen", - "Delete a file" : "Een bestand verwijderen", - "Favorite or remove a file from favorites" : "Favoriet maken of een bestand verwijderen uit favorieten", - "Manage tags for a file" : "Tags voor een bestand beheren", + "File actions" : "Bestandsacties", + "Rename" : "Naam wijzigen", + "Delete" : "Verwijderen", + "Manage tags" : "Berichttags", "Selection" : "Selectie", "Select all files" : "Selecteer alle bestanden", - "Deselect all files" : "Selectie van bestanden ongedaan maken", - "Select or deselect a file" : "Een bestand selecteren of deselecteren", - "Select a range of files" : "Selecteer een reeks bestanden", + "Deselect all" : "Deselecteer alles", "Navigation" : "Navigatie", - "Navigate to the parent folder" : "Navigeer naar de bovenliggende map", - "Navigate to the file above" : "Navigeer naar bovenliggend bestand", - "Navigate to the file below" : "Navigeer naar onderliggend bestand", - "Navigate to the file on the left (in grid mode)" : "Navigeer naar het bestand aan de linkerkant (in rastermodus)", - "Navigate to the file on the right (in grid mode)" : "Navigeer naar het bestand aan de rechterkant (in rastermodus)", "View" : "Bekijken", - "Toggle the grid view" : "Rasterweergave omschakelen", - "Open the sidebar for a file" : "Open de zijbalk voor een bestand", + "Toggle grid view" : "Omschakelen roosterweergave", "Show those shortcuts" : "Toon die snelkoppelingen", "You" : "Jij", "Shared multiple times with different people" : "Meerdere keren gedeeld met verschillende mensen", @@ -274,7 +251,6 @@ "Delete files" : "Verwijder bestanden", "Delete folder" : "Map verwijderen", "Delete folders" : "Verwijder mappen", - "Delete" : "Verwijderen", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Je staat op het punt om {count} item permanent te verwijderen","Je staat op het punt om {count} items permanent te verwijderen"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Je staat op het punt om {count} item te verwijderen","Je staat op het punt om {count}items te verwijderen"], "Confirm deletion" : "Bevestig verwijderen", @@ -292,7 +268,6 @@ "The file does not exist anymore" : "Dit bestand bestaat niet meer", "Choose destination" : "Kies bestemming", "Copy to {target}" : "Kopieer naar {target}", - "Copy" : "Kopiëren", "Move to {target}" : "Verplaats naar {target}", "Move" : "Verplaatsen", "Move or copy operation failed" : "Verplaatsen of kopiëren mislukt", @@ -305,8 +280,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Het bestand zou nu moeten openen op je apparaat. Als dat niet het geval is, controleer dan of je de desktop app geïnstalleerd hebt.", "Retry and close" : "Probeer opnieuw en sluiten", "Open online" : "Open online", - "Rename" : "Naam wijzigen", - "Open details" : "Details openen", + "Details" : "Details", "View in folder" : "Bekijken in map", "Today" : "Vandaag", "Last 7 days" : "Laatste 7 dagen", @@ -319,7 +293,7 @@ "PDFs" : "PDFs", "Folders" : "Mappen", "Audio" : "Geluid", - "Photos and images" : "Foto's en afbeeldingen", + "Images" : "Afbeeldingen", "Videos" : "Video's", "Created new folder \"{name}\"" : "Nieuwe map \"¨{name}\" gemaakt.", "Unable to initialize the templates directory" : "Kon de sjablonenmap niet instellen", @@ -346,7 +320,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "De naam \"{newName}\" bestaat al in map \"{dir}\". Kies een andere naam.", "Could not rename \"{oldName}\"" : "Kon \"{oldName}\" niet hernoemen", "This operation is forbidden" : "Deze taak is verboden", - "This directory is unavailable, please check the logs or contact the administrator" : "Deze map is niet beschikbaar. Verifieer de logs of neem contact op met de beheerder", "Storage is temporarily not available" : "Opslag is tijdelijk niet beschikbaar", "Unexpected error: {error}" : "Onverwachte fout: {error}", "_%n file_::_%n files_" : ["%n bestand","%n bestanden"], @@ -361,7 +334,6 @@ "No favorites yet" : "Nog geen favorieten", "Files and folders you mark as favorite will show up here" : "Bestanden en mappen die je als favoriet aanmerkt, worden hier getoond", "List of your files and folders." : "Lijst van je bestanden en mappen.", - "Folder tree" : "Mapboom", "List of your files and folders that are not shared." : "Lijst van je bestanden en mappen die niet gedeeld zijn.", "No personal files found" : "Geen persoonlijke bestanden gevonden", "Files that are not shared will show up here." : "Niet-gedeelde bestanden worden hier getoond.", @@ -400,12 +372,12 @@ "Edit locally" : "Lokaal bewerken", "Open" : "Openen", "Could not load info for file \"{file}\"" : "Kon geen informatie laden voor bestand \"{file}\"", - "Details" : "Details", "Please select tag(s) to add to the selection" : "Selecteer alsjeblieft tag(s) om aan de selectie toe te voegen", "Apply tag(s) to selection" : "Pas tag(s) toe voor selectie", "Select directory \"{dirName}\"" : "Kies map \"{dirName}\"", "Select file \"{fileName}\"" : "Kies bestand \"{fileName}\"", "Unable to determine date" : "Kon datum niet vaststellen", + "This directory is unavailable, please check the logs or contact the administrator" : "Deze map is niet beschikbaar. Verifieer de logs of neem contact op met de beheerder", "Could not move \"{file}\", target exists" : "Kon \"{file}\" niet verplaatsen, doel bestaat al", "Could not move \"{file}\"" : "Kon \"{file}\" niet verplaatsen", "copy" : "kopie", @@ -453,15 +425,24 @@ "Not favored" : "Geen favoriet", "An error occurred while trying to update the tags" : "Er trad een fout op bij je poging om de tags bij te werken", "Upload (max. %s)" : "Upload (max. %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" actie succesvol uitgevoerd", + "\"{displayName}\" action failed" : "\"{displayName}\" actie mislukt", + "\"{displayName}\" failed on some elements" : "“{displayName}” mislukt op sommige elementen", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" batchactie succesvol uitgevoerd", "Submitting fields…" : "Verzenden velden ...", "Filter filenames…" : "Filter bestandsnamen...", + "WebDAV URL copied to clipboard" : "WebDAV URL naar klembord gekopieerd", "Enable the grid view" : "Roosterweergave inschakelen", + "Enable folder tree" : "Mappenboom inschakelen", + "Copy to clipboard" : "Kopiëren naar het klembord", "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.", + "Open details" : "Details openen", + "Photos and images" : "Foto's en afbeeldingen", "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"], @@ -475,6 +456,24 @@ "%1$s (renamed)" : "%1$s (hernoemd)", "renamed file" : "bestand hernoemd", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Na inschakeling van Windows-compatibele bestandsnamen, kunnen bestaande bestanden niet meer worden gewijzigd, maar kunnen ze door de eigenaar worden hernoemd naar geldige nieuwe namen.", - "Filter file names …" : "Bestandsnamen filteren ..." + "Filter file names …" : "Bestandsnamen filteren ...", + "Prevent warning dialogs from open or reenable them." : "Voorkom dat waarschuwingsvensters worden geopend of schakel ze opnieuw in.", + "Show a warning dialog when changing a file extension." : "Een waarschuwingsvenster tonen bij het wijzigen van een bestandsextensie.", + "Speed up your Files experience with these quick shortcuts." : "Verbeter je interactie met bestanden met deze snelkoppelingen.", + "Open the actions menu for a file" : "Open het actiemenu voor een bestand", + "Rename a file" : "Een bestand hernoemen", + "Delete a file" : "Een bestand verwijderen", + "Favorite or remove a file from favorites" : "Favoriet maken of een bestand verwijderen uit favorieten", + "Manage tags for a file" : "Tags voor een bestand beheren", + "Deselect all files" : "Selectie van bestanden ongedaan maken", + "Select or deselect a file" : "Een bestand selecteren of deselecteren", + "Select a range of files" : "Selecteer een reeks bestanden", + "Navigate to the parent folder" : "Navigeer naar de bovenliggende map", + "Navigate to the file above" : "Navigeer naar bovenliggend bestand", + "Navigate to the file below" : "Navigeer naar onderliggend bestand", + "Navigate to the file on the left (in grid mode)" : "Navigeer naar het bestand aan de linkerkant (in rastermodus)", + "Navigate to the file on the right (in grid mode)" : "Navigeer naar het bestand aan de rechterkant (in rastermodus)", + "Toggle the grid view" : "Rasterweergave omschakelen", + "Open the sidebar for a file" : "Open de zijbalk voor een bestand" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/pl.js b/apps/files/l10n/pl.js index 107bd2813bd..b3130241bf1 100644 --- a/apps/files/l10n/pl.js +++ b/apps/files/l10n/pl.js @@ -115,9 +115,9 @@ OC.L10N.register( "Name" : "Nazwa", "File type" : "Typ pliku", "Size" : "Rozmiar", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" nie powiodło się w niektórych elementach", - "\"{displayName}\" batch action executed successfully" : "Akcja wsadowa \"{displayName}\" została wykonana pomyślnie", - "\"{displayName}\" action failed" : "Akcja \"{displayName}\" nie powiodła się", + "{displayName}: failed on some elements" : "{displayName}: niepowodzenie w przypadku niektórych elementów", + "{displayName}: done" : "{displayName}: zakończono", + "{displayName}: failed" : "{displayName}: niepowodzenie", "Actions" : "Akcje", "(selected)" : "(wybrany)", "List of files and folders." : "Lista plików i katalogów.", @@ -126,11 +126,10 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Ta lista nie jest w pełni renderowana ze względu na wydajność. Pliki będą renderowane podczas poruszania się po liście.", "File not found" : "Nie odnaleziono pliku", "_{count} selected_::_{count} selected_" : ["wybrano {count}","wybrano {count}","wybrano {count}","wybrano {count}"], - "Search globally by filename …" : "Szukaj globalnie według nazwy pliku...", - "Search here by filename …" : "Szukaj tutaj według nazwy pliku...", + "Search everywhere …" : "Szukaj wszędzie…", + "Search here …" : "Szukaj tutaj…", "Search scope options" : "Opcje zakresu wyszukiwania", - "Filter and search from this location" : "Filtruj i szukaj z tej lokalizacji", - "Search globally" : "Szukaj globalnie", + "Search here" : "Szukaj tutaj", "{usedQuotaByte} used" : "Wykorzystano {usedQuotaByte}", "{used} of {quota} used" : "Wykorzystane {used} z {quota}", "{relative}% used" : "Wykorzystano {relative}%", @@ -180,7 +179,6 @@ OC.L10N.register( "Error during upload: {message}" : "Błąd podczas wysyłania: {message}", "Error during upload, status code {status}" : "Błąd podczas wysyłania, kod statusu {status}", "Unknown error during upload" : "Nieznany błąd podczas wysyłania", - "\"{displayName}\" action executed successfully" : "Akcja \"{displayName}\" została wykonana pomyślnie", "Loading current folder" : "Wczytywanie bieżącego katalogu", "Retry" : "Powtórz", "No files in here" : "Brak plików", @@ -195,45 +193,48 @@ OC.L10N.register( "No search results for “{query}”" : "Brak wyników wyszukiwania dla \"{query}\"", "Search for files" : "Szukaj plików", "Clipboard is not available" : "Schowek jest niedostępny", - "WebDAV URL copied to clipboard" : "Adres URL WebDAV skopiowany do schowka", + "WebDAV URL copied" : "Adres URL WebDAV skopiowany", + "General" : "Ogólne", "Default view" : "Widok domyślny", "All files" : "Wszystkie pliki", "Personal files" : "Pliki osobiste", "Sort favorites first" : "Najpierw sortuj ulubione", "Sort folders before files" : "Sortuj katalogi przed plikami", - "Enable folder tree" : "Włącz drzewo katalogów", + "Folder tree" : "Drzewo folderów", + "Appearance" : "Wygląd", "Show hidden files" : "Pokaż ukryte pliki", "Show file type column" : "Pokaż kolumnę typu pliku", + "Show file extensions" : "Pokaż rozszerzenia plików", "Crop image previews" : "Przytnij podglądy obrazów", "Additional settings" : "Ustawienia dodatkowe", "WebDAV" : "WebDAV", "WebDAV URL" : "URL WebDAV", - "Copy to clipboard" : "Kopiuj do schowka", + "Copy" : "Kopiuj", + "How to access files using WebDAV" : "Jak uzyskać dostęp do plików przez WebDAV", + "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Uwierzytelnianie dwuskładnikowe jest włączone dla Twojego konta, dlatego musisz użyć hasła aplikacji, aby połączyć zewnętrznego klienta WebDAV.", "Warnings" : "Ostrzeżenie", - "Prevent warning dialogs from open or reenable them." : "Zapobiegaj otwieraniu okien dialogowych z ostrzeżeniami lub włącz je ponownie.", - "Show a warning dialog when changing a file extension." : "Pokaż okno dialogowe z ostrzeżeniem przy zmianie rozszerzenia pliku.", - "Show a warning dialog when deleting files." : "Pokaż ostrzeżenie przy usuwaniu plików.", + "Warn before changing a file extension" : "Ostrzegaj przed zmianą rozszerzenia pliku", + "Warn before deleting files" : "Ostrzegaj przed usunięciem plików", "Keyboard shortcuts" : "Skróty klawiaturowe", - "Speed up your Files experience with these quick shortcuts." : "Przyspiesz korzystanie z Plików dzięki tym szybkim skrótom.", - "Open the actions menu for a file" : "Otwórz menu akcji dla pliku", - "Rename a file" : "Zmień nazwę", - "Delete a file" : "Usuń plik", - "Favorite or remove a file from favorites" : "Dodaj plik do ulubionych lub usuń go z ulubionych", - "Manage tags for a file" : "Zarządzanie etykietami pliku", + "File actions" : "Akcje na plikach", + "Rename" : "Zmień nazwę", + "Delete" : "Usuń", + "Add or remove favorite" : "Dodaj lub usuń z ulubionych", + "Manage tags" : "Zarządzaj etykietami", "Selection" : "Wybór", "Select all files" : "Wybierz wszystkie pliki", - "Deselect all files" : "Odznacz wszystkie pliki", - "Select or deselect a file" : "Wybierz lub odznacz plik", - "Select a range of files" : "Wybierz zakres plików", + "Deselect all" : "Odznacz wszystkie", + "Select or deselect" : "Zaznacz lub odznacz", + "Select a range" : "Wybierz zakres", "Navigation" : "Nawigacja", - "Navigate to the parent folder" : "Przejdź do katalogu nadrzędnego", - "Navigate to the file above" : "Przejdź do pliku powyżej", - "Navigate to the file below" : "Przejdź do pliku poniżej", - "Navigate to the file on the left (in grid mode)" : "Przejdź do pliku po lewej stronie (w trybie siatki)", - "Navigate to the file on the right (in grid mode)" : "Przejdź do pliku po prawej stronie (w trybie siatki)", + "Go to parent folder" : "Przejdź do folderu nadrzędnego", + "Go to file above" : "Przejdź do pliku powyżej", + "Go to file below" : "Przejdź do pliku poniżej", + "Go left in grid" : "Przejdź w lewo w siatce", + "Go right in grid" : "Przejdź w prawo w siatce", "View" : "Podgląd", - "Toggle the grid view" : "Przełącz widok siatki", - "Open the sidebar for a file" : "Otwórz pasek boczny dla pliku", + "Toggle grid view" : "Przełącz widok siatki", + "Open file sidebar" : "Otwórz panel boczny pliku", "Show those shortcuts" : "Pokaż te skróty", "You" : "Ty", "Shared multiple times with different people" : "Udostępniony wiele razy różnym osobom", @@ -272,7 +273,6 @@ OC.L10N.register( "Delete files" : "Usuń pliki", "Delete folder" : "Usuń katalog", "Delete folders" : "Usuń katalogi", - "Delete" : "Usuń", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Zamierzasz trwale usunąć {count} element","Zamierzasz trwale usunąć {count} elementy","Zamierzasz trwale usunąć {count} elementów","Zamierzasz trwale usunąć {count} elementów"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Zamierzasz usunąć {count} element","Zamierzasz usunąć {count} elementy","Zamierzasz usunąć {count} elementów","Zamierzasz usunąć {count} elementów"], "Confirm deletion" : "Potwierdź usunięcie", @@ -290,7 +290,6 @@ OC.L10N.register( "The file does not exist anymore" : "Plik już nie istnieje", "Choose destination" : "Wybierz miejsce docelowe", "Copy to {target}" : "Skopiuj do {target}", - "Copy" : "Kopiuj", "Move to {target}" : "Przenieś do {target}", "Move" : "Przenieś", "Move or copy operation failed" : "Operacja przenoszenia lub kopiowania nie powiodła się", @@ -303,8 +302,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Plik powinien teraz otworzyć się na Twoim urządzeniu. Jeśli tak się nie stanie, sprawdź, czy masz zainstalowaną aplikację komputerową.", "Retry and close" : "Spróbuj ponownie i zamknij", "Open online" : "Otwórz online", - "Rename" : "Zmień nazwę", - "Open details" : "Otwórz szczegóły", + "Details" : "Szczegóły", "View in folder" : "Zobacz w katalogu", "Today" : "Dzisiaj", "Last 7 days" : "Ostatnie 7 dni", @@ -317,7 +315,7 @@ OC.L10N.register( "PDFs" : "PDFy", "Folders" : "Katalogi", "Audio" : "Dźwięk", - "Photos and images" : "Zdjęcia i obrazy", + "Images" : "Obrazy", "Videos" : "Filmy", "Created new folder \"{name}\"" : "Utworzono nowy katalog \"{name}\"", "Unable to initialize the templates directory" : "Nie można zainicjować katalogu szablonów", @@ -325,6 +323,7 @@ OC.L10N.register( "Templates" : "Szablony", "New template folder" : "Nowy katalog szablonów", "In folder" : "W katalogu", + "Search in all files" : "Szukaj we wszystkich plikach", "Search in folder: {folder}" : "Szukaj w katalogu: {folder}", "One of the dropped files could not be processed" : "Jeden z upuszczonych plików nie mógł być przetworzony", "Your browser does not support the Filesystem API. Directories will not be uploaded" : "Twoja przeglądarka nie obsługuje interfejsu API systemu plików. Katalogi nie zostaną przesłane", @@ -343,7 +342,7 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Nazwa \"{newName}\" jest już używana w katalogu \"{dir}\". Wybierz inną nazwę.", "Could not rename \"{oldName}\"" : "Nie można zmienić nazwy \"{oldName}\"", "This operation is forbidden" : "Ta operacja jest niedozwolona", - "This directory is unavailable, please check the logs or contact the administrator" : "Ten katalog jest niedostępny, sprawdź logi lub skontaktuj się z administratorem", + "This folder is unavailable, please try again later or contact the administration" : "Ten folder jest niedostępny, spróbuj ponownie później lub skontaktuj się z administracją", "Storage is temporarily not available" : "Magazyn jest tymczasowo niedostępny", "Unexpected error: {error}" : "Nieoczekiwany błąd: {error}", "_%n file_::_%n files_" : ["%n plik","%n pliki","%n plików","%n plików"], @@ -396,12 +395,12 @@ OC.L10N.register( "Edit locally" : "Edytuj lokalnie", "Open" : "Otwórz", "Could not load info for file \"{file}\"" : "Nie można załadować informacji o pliku \"{file}\"", - "Details" : "Szczegóły", "Please select tag(s) to add to the selection" : "Wybierz etykietę(y) do dodania dla zaznaczenia", "Apply tag(s) to selection" : "Zastosuj etykietę(y) dla zaznaczenia", "Select directory \"{dirName}\"" : "Wybierz katalog \"{dirName}\"", "Select file \"{fileName}\"" : "Wybierz plik \"{fileName}\"", "Unable to determine date" : "Nie można ustalić daty", + "This directory is unavailable, please check the logs or contact the administrator" : "Ten katalog jest niedostępny, sprawdź logi lub skontaktuj się z administratorem", "Could not move \"{file}\", target exists" : "Nie można przenieść \"{file}\" - plik o takiej nazwie już istnieje", "Could not move \"{file}\"" : "Nie można przenieść \"{file}\"", "copy" : "kopia", @@ -449,15 +448,24 @@ OC.L10N.register( "Not favored" : "Nie polubiono", "An error occurred while trying to update the tags" : "Wystąpił błąd podczas próby aktualizacji etykiet", "Upload (max. %s)" : "Wysyłanie (maks. %s)", + "\"{displayName}\" action executed successfully" : "Akcja \"{displayName}\" została wykonana pomyślnie", + "\"{displayName}\" action failed" : "Akcja \"{displayName}\" nie powiodła się", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" nie powiodło się w niektórych elementach", + "\"{displayName}\" batch action executed successfully" : "Akcja wsadowa \"{displayName}\" została wykonana pomyślnie", "Submitting fields…" : "Przesyłanie pól…", "Filter filenames…" : "Filtruj nazwy plików…", + "WebDAV URL copied to clipboard" : "Adres URL WebDAV skopiowany do schowka", "Enable the grid view" : "Włącz widok siatki", + "Enable folder tree" : "Włącz drzewo katalogów", + "Copy to clipboard" : "Kopiuj do schowka", "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", + "Open details" : "Otwórz szczegóły", + "Photos and images" : "Zdjęcia i obrazy", "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"], @@ -471,6 +479,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (zmieniona nazwa)", "renamed file" : "zmieniona nazwa pliku", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Po włączeniu nazw plików zgodnych z systemem Windows, istniejących plików nie można już modyfikować, ale ich właściciel może zmienić ich nazwy na nowe, prawidłowe.", - "Filter file names …" : "Filtruj nazwy plików…" + "Filter file names …" : "Filtruj nazwy plików…", + "Prevent warning dialogs from open or reenable them." : "Zapobiegaj otwieraniu okien dialogowych z ostrzeżeniami lub włącz je ponownie.", + "Show a warning dialog when changing a file extension." : "Pokaż okno dialogowe z ostrzeżeniem przy zmianie rozszerzenia pliku.", + "Speed up your Files experience with these quick shortcuts." : "Przyspiesz korzystanie z Plików dzięki tym szybkim skrótom.", + "Open the actions menu for a file" : "Otwórz menu akcji dla pliku", + "Rename a file" : "Zmień nazwę", + "Delete a file" : "Usuń plik", + "Favorite or remove a file from favorites" : "Dodaj plik do ulubionych lub usuń go z ulubionych", + "Manage tags for a file" : "Zarządzanie etykietami pliku", + "Deselect all files" : "Odznacz wszystkie pliki", + "Select or deselect a file" : "Wybierz lub odznacz plik", + "Select a range of files" : "Wybierz zakres plików", + "Navigate to the parent folder" : "Przejdź do katalogu nadrzędnego", + "Navigate to the file above" : "Przejdź do pliku powyżej", + "Navigate to the file below" : "Przejdź do pliku poniżej", + "Navigate to the file on the left (in grid mode)" : "Przejdź do pliku po lewej stronie (w trybie siatki)", + "Navigate to the file on the right (in grid mode)" : "Przejdź do pliku po prawej stronie (w trybie siatki)", + "Toggle the grid view" : "Przełącz widok siatki", + "Open the sidebar for a file" : "Otwórz pasek boczny dla pliku" }, "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/l10n/pl.json b/apps/files/l10n/pl.json index 763e3543115..eba17ba16a9 100644 --- a/apps/files/l10n/pl.json +++ b/apps/files/l10n/pl.json @@ -113,9 +113,9 @@ "Name" : "Nazwa", "File type" : "Typ pliku", "Size" : "Rozmiar", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" nie powiodło się w niektórych elementach", - "\"{displayName}\" batch action executed successfully" : "Akcja wsadowa \"{displayName}\" została wykonana pomyślnie", - "\"{displayName}\" action failed" : "Akcja \"{displayName}\" nie powiodła się", + "{displayName}: failed on some elements" : "{displayName}: niepowodzenie w przypadku niektórych elementów", + "{displayName}: done" : "{displayName}: zakończono", + "{displayName}: failed" : "{displayName}: niepowodzenie", "Actions" : "Akcje", "(selected)" : "(wybrany)", "List of files and folders." : "Lista plików i katalogów.", @@ -124,11 +124,10 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Ta lista nie jest w pełni renderowana ze względu na wydajność. Pliki będą renderowane podczas poruszania się po liście.", "File not found" : "Nie odnaleziono pliku", "_{count} selected_::_{count} selected_" : ["wybrano {count}","wybrano {count}","wybrano {count}","wybrano {count}"], - "Search globally by filename …" : "Szukaj globalnie według nazwy pliku...", - "Search here by filename …" : "Szukaj tutaj według nazwy pliku...", + "Search everywhere …" : "Szukaj wszędzie…", + "Search here …" : "Szukaj tutaj…", "Search scope options" : "Opcje zakresu wyszukiwania", - "Filter and search from this location" : "Filtruj i szukaj z tej lokalizacji", - "Search globally" : "Szukaj globalnie", + "Search here" : "Szukaj tutaj", "{usedQuotaByte} used" : "Wykorzystano {usedQuotaByte}", "{used} of {quota} used" : "Wykorzystane {used} z {quota}", "{relative}% used" : "Wykorzystano {relative}%", @@ -178,7 +177,6 @@ "Error during upload: {message}" : "Błąd podczas wysyłania: {message}", "Error during upload, status code {status}" : "Błąd podczas wysyłania, kod statusu {status}", "Unknown error during upload" : "Nieznany błąd podczas wysyłania", - "\"{displayName}\" action executed successfully" : "Akcja \"{displayName}\" została wykonana pomyślnie", "Loading current folder" : "Wczytywanie bieżącego katalogu", "Retry" : "Powtórz", "No files in here" : "Brak plików", @@ -193,45 +191,48 @@ "No search results for “{query}”" : "Brak wyników wyszukiwania dla \"{query}\"", "Search for files" : "Szukaj plików", "Clipboard is not available" : "Schowek jest niedostępny", - "WebDAV URL copied to clipboard" : "Adres URL WebDAV skopiowany do schowka", + "WebDAV URL copied" : "Adres URL WebDAV skopiowany", + "General" : "Ogólne", "Default view" : "Widok domyślny", "All files" : "Wszystkie pliki", "Personal files" : "Pliki osobiste", "Sort favorites first" : "Najpierw sortuj ulubione", "Sort folders before files" : "Sortuj katalogi przed plikami", - "Enable folder tree" : "Włącz drzewo katalogów", + "Folder tree" : "Drzewo folderów", + "Appearance" : "Wygląd", "Show hidden files" : "Pokaż ukryte pliki", "Show file type column" : "Pokaż kolumnę typu pliku", + "Show file extensions" : "Pokaż rozszerzenia plików", "Crop image previews" : "Przytnij podglądy obrazów", "Additional settings" : "Ustawienia dodatkowe", "WebDAV" : "WebDAV", "WebDAV URL" : "URL WebDAV", - "Copy to clipboard" : "Kopiuj do schowka", + "Copy" : "Kopiuj", + "How to access files using WebDAV" : "Jak uzyskać dostęp do plików przez WebDAV", + "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Uwierzytelnianie dwuskładnikowe jest włączone dla Twojego konta, dlatego musisz użyć hasła aplikacji, aby połączyć zewnętrznego klienta WebDAV.", "Warnings" : "Ostrzeżenie", - "Prevent warning dialogs from open or reenable them." : "Zapobiegaj otwieraniu okien dialogowych z ostrzeżeniami lub włącz je ponownie.", - "Show a warning dialog when changing a file extension." : "Pokaż okno dialogowe z ostrzeżeniem przy zmianie rozszerzenia pliku.", - "Show a warning dialog when deleting files." : "Pokaż ostrzeżenie przy usuwaniu plików.", + "Warn before changing a file extension" : "Ostrzegaj przed zmianą rozszerzenia pliku", + "Warn before deleting files" : "Ostrzegaj przed usunięciem plików", "Keyboard shortcuts" : "Skróty klawiaturowe", - "Speed up your Files experience with these quick shortcuts." : "Przyspiesz korzystanie z Plików dzięki tym szybkim skrótom.", - "Open the actions menu for a file" : "Otwórz menu akcji dla pliku", - "Rename a file" : "Zmień nazwę", - "Delete a file" : "Usuń plik", - "Favorite or remove a file from favorites" : "Dodaj plik do ulubionych lub usuń go z ulubionych", - "Manage tags for a file" : "Zarządzanie etykietami pliku", + "File actions" : "Akcje na plikach", + "Rename" : "Zmień nazwę", + "Delete" : "Usuń", + "Add or remove favorite" : "Dodaj lub usuń z ulubionych", + "Manage tags" : "Zarządzaj etykietami", "Selection" : "Wybór", "Select all files" : "Wybierz wszystkie pliki", - "Deselect all files" : "Odznacz wszystkie pliki", - "Select or deselect a file" : "Wybierz lub odznacz plik", - "Select a range of files" : "Wybierz zakres plików", + "Deselect all" : "Odznacz wszystkie", + "Select or deselect" : "Zaznacz lub odznacz", + "Select a range" : "Wybierz zakres", "Navigation" : "Nawigacja", - "Navigate to the parent folder" : "Przejdź do katalogu nadrzędnego", - "Navigate to the file above" : "Przejdź do pliku powyżej", - "Navigate to the file below" : "Przejdź do pliku poniżej", - "Navigate to the file on the left (in grid mode)" : "Przejdź do pliku po lewej stronie (w trybie siatki)", - "Navigate to the file on the right (in grid mode)" : "Przejdź do pliku po prawej stronie (w trybie siatki)", + "Go to parent folder" : "Przejdź do folderu nadrzędnego", + "Go to file above" : "Przejdź do pliku powyżej", + "Go to file below" : "Przejdź do pliku poniżej", + "Go left in grid" : "Przejdź w lewo w siatce", + "Go right in grid" : "Przejdź w prawo w siatce", "View" : "Podgląd", - "Toggle the grid view" : "Przełącz widok siatki", - "Open the sidebar for a file" : "Otwórz pasek boczny dla pliku", + "Toggle grid view" : "Przełącz widok siatki", + "Open file sidebar" : "Otwórz panel boczny pliku", "Show those shortcuts" : "Pokaż te skróty", "You" : "Ty", "Shared multiple times with different people" : "Udostępniony wiele razy różnym osobom", @@ -270,7 +271,6 @@ "Delete files" : "Usuń pliki", "Delete folder" : "Usuń katalog", "Delete folders" : "Usuń katalogi", - "Delete" : "Usuń", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Zamierzasz trwale usunąć {count} element","Zamierzasz trwale usunąć {count} elementy","Zamierzasz trwale usunąć {count} elementów","Zamierzasz trwale usunąć {count} elementów"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Zamierzasz usunąć {count} element","Zamierzasz usunąć {count} elementy","Zamierzasz usunąć {count} elementów","Zamierzasz usunąć {count} elementów"], "Confirm deletion" : "Potwierdź usunięcie", @@ -288,7 +288,6 @@ "The file does not exist anymore" : "Plik już nie istnieje", "Choose destination" : "Wybierz miejsce docelowe", "Copy to {target}" : "Skopiuj do {target}", - "Copy" : "Kopiuj", "Move to {target}" : "Przenieś do {target}", "Move" : "Przenieś", "Move or copy operation failed" : "Operacja przenoszenia lub kopiowania nie powiodła się", @@ -301,8 +300,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Plik powinien teraz otworzyć się na Twoim urządzeniu. Jeśli tak się nie stanie, sprawdź, czy masz zainstalowaną aplikację komputerową.", "Retry and close" : "Spróbuj ponownie i zamknij", "Open online" : "Otwórz online", - "Rename" : "Zmień nazwę", - "Open details" : "Otwórz szczegóły", + "Details" : "Szczegóły", "View in folder" : "Zobacz w katalogu", "Today" : "Dzisiaj", "Last 7 days" : "Ostatnie 7 dni", @@ -315,7 +313,7 @@ "PDFs" : "PDFy", "Folders" : "Katalogi", "Audio" : "Dźwięk", - "Photos and images" : "Zdjęcia i obrazy", + "Images" : "Obrazy", "Videos" : "Filmy", "Created new folder \"{name}\"" : "Utworzono nowy katalog \"{name}\"", "Unable to initialize the templates directory" : "Nie można zainicjować katalogu szablonów", @@ -323,6 +321,7 @@ "Templates" : "Szablony", "New template folder" : "Nowy katalog szablonów", "In folder" : "W katalogu", + "Search in all files" : "Szukaj we wszystkich plikach", "Search in folder: {folder}" : "Szukaj w katalogu: {folder}", "One of the dropped files could not be processed" : "Jeden z upuszczonych plików nie mógł być przetworzony", "Your browser does not support the Filesystem API. Directories will not be uploaded" : "Twoja przeglądarka nie obsługuje interfejsu API systemu plików. Katalogi nie zostaną przesłane", @@ -341,7 +340,7 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Nazwa \"{newName}\" jest już używana w katalogu \"{dir}\". Wybierz inną nazwę.", "Could not rename \"{oldName}\"" : "Nie można zmienić nazwy \"{oldName}\"", "This operation is forbidden" : "Ta operacja jest niedozwolona", - "This directory is unavailable, please check the logs or contact the administrator" : "Ten katalog jest niedostępny, sprawdź logi lub skontaktuj się z administratorem", + "This folder is unavailable, please try again later or contact the administration" : "Ten folder jest niedostępny, spróbuj ponownie później lub skontaktuj się z administracją", "Storage is temporarily not available" : "Magazyn jest tymczasowo niedostępny", "Unexpected error: {error}" : "Nieoczekiwany błąd: {error}", "_%n file_::_%n files_" : ["%n plik","%n pliki","%n plików","%n plików"], @@ -394,12 +393,12 @@ "Edit locally" : "Edytuj lokalnie", "Open" : "Otwórz", "Could not load info for file \"{file}\"" : "Nie można załadować informacji o pliku \"{file}\"", - "Details" : "Szczegóły", "Please select tag(s) to add to the selection" : "Wybierz etykietę(y) do dodania dla zaznaczenia", "Apply tag(s) to selection" : "Zastosuj etykietę(y) dla zaznaczenia", "Select directory \"{dirName}\"" : "Wybierz katalog \"{dirName}\"", "Select file \"{fileName}\"" : "Wybierz plik \"{fileName}\"", "Unable to determine date" : "Nie można ustalić daty", + "This directory is unavailable, please check the logs or contact the administrator" : "Ten katalog jest niedostępny, sprawdź logi lub skontaktuj się z administratorem", "Could not move \"{file}\", target exists" : "Nie można przenieść \"{file}\" - plik o takiej nazwie już istnieje", "Could not move \"{file}\"" : "Nie można przenieść \"{file}\"", "copy" : "kopia", @@ -447,15 +446,24 @@ "Not favored" : "Nie polubiono", "An error occurred while trying to update the tags" : "Wystąpił błąd podczas próby aktualizacji etykiet", "Upload (max. %s)" : "Wysyłanie (maks. %s)", + "\"{displayName}\" action executed successfully" : "Akcja \"{displayName}\" została wykonana pomyślnie", + "\"{displayName}\" action failed" : "Akcja \"{displayName}\" nie powiodła się", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" nie powiodło się w niektórych elementach", + "\"{displayName}\" batch action executed successfully" : "Akcja wsadowa \"{displayName}\" została wykonana pomyślnie", "Submitting fields…" : "Przesyłanie pól…", "Filter filenames…" : "Filtruj nazwy plików…", + "WebDAV URL copied to clipboard" : "Adres URL WebDAV skopiowany do schowka", "Enable the grid view" : "Włącz widok siatki", + "Enable folder tree" : "Włącz drzewo katalogów", + "Copy to clipboard" : "Kopiuj do schowka", "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", + "Open details" : "Otwórz szczegóły", + "Photos and images" : "Zdjęcia i obrazy", "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"], @@ -469,6 +477,24 @@ "%1$s (renamed)" : "%1$s (zmieniona nazwa)", "renamed file" : "zmieniona nazwa pliku", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Po włączeniu nazw plików zgodnych z systemem Windows, istniejących plików nie można już modyfikować, ale ich właściciel może zmienić ich nazwy na nowe, prawidłowe.", - "Filter file names …" : "Filtruj nazwy plików…" + "Filter file names …" : "Filtruj nazwy plików…", + "Prevent warning dialogs from open or reenable them." : "Zapobiegaj otwieraniu okien dialogowych z ostrzeżeniami lub włącz je ponownie.", + "Show a warning dialog when changing a file extension." : "Pokaż okno dialogowe z ostrzeżeniem przy zmianie rozszerzenia pliku.", + "Speed up your Files experience with these quick shortcuts." : "Przyspiesz korzystanie z Plików dzięki tym szybkim skrótom.", + "Open the actions menu for a file" : "Otwórz menu akcji dla pliku", + "Rename a file" : "Zmień nazwę", + "Delete a file" : "Usuń plik", + "Favorite or remove a file from favorites" : "Dodaj plik do ulubionych lub usuń go z ulubionych", + "Manage tags for a file" : "Zarządzanie etykietami pliku", + "Deselect all files" : "Odznacz wszystkie pliki", + "Select or deselect a file" : "Wybierz lub odznacz plik", + "Select a range of files" : "Wybierz zakres plików", + "Navigate to the parent folder" : "Przejdź do katalogu nadrzędnego", + "Navigate to the file above" : "Przejdź do pliku powyżej", + "Navigate to the file below" : "Przejdź do pliku poniżej", + "Navigate to the file on the left (in grid mode)" : "Przejdź do pliku po lewej stronie (w trybie siatki)", + "Navigate to the file on the right (in grid mode)" : "Przejdź do pliku po prawej stronie (w trybie siatki)", + "Toggle the grid view" : "Przełącz widok siatki", + "Open the sidebar for a file" : "Otwórz pasek boczny dla pliku" },"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/l10n/pt_BR.js b/apps/files/l10n/pt_BR.js index ad060225dd5..6b64267ec74 100644 --- a/apps/files/l10n/pt_BR.js +++ b/apps/files/l10n/pt_BR.js @@ -115,9 +115,6 @@ OC.L10N.register( "Name" : "Nome", "File type" : "Tipo de arquivo", "Size" : "Tamanho", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" falhou em alguns elementos", - "\"{displayName}\" batch action executed successfully" : "Ação em lote \"{displayName}\" executada com êxito", - "\"{displayName}\" action failed" : "A ação \"{displayName}\" falhou", "Actions" : "Ações", "(selected)" : "(selecionados)", "List of files and folders." : "Lista de arquivos e pastas.", @@ -126,11 +123,7 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Esta lista não é totalmente renderizada por motivos de desempenho. Os arquivos serão renderizados à medida que você navegar pela lista.", "File not found" : "Arquivo não encontrado", "_{count} selected_::_{count} selected_" : ["{count} selecionado","{count} selecionados","{count} selecionados"], - "Search globally by filename …" : "Pesquisar globalmente por nome de arquivo …", - "Search here by filename …" : "Pesquisar aqui por nome de arquivo …", "Search scope options" : "Opções de escopo da pesquisa", - "Filter and search from this location" : "Filtrar e pesquisar a partir deste local", - "Search globally" : "Pesquisar globalmente", "{usedQuotaByte} used" : "{usedQuotaByte} usado", "{used} of {quota} used" : "{used} de {quota} usados", "{relative}% used" : "{relative}% usado", @@ -180,7 +173,6 @@ OC.L10N.register( "Error during upload: {message}" : "Erro durante o upload: {message}", "Error during upload, status code {status}" : "Erro durante o upload, código de status {status}", "Unknown error during upload" : "Erro desconhecido durante o upload", - "\"{displayName}\" action executed successfully" : "Ação \"{displayName}\" executada com sucesso", "Loading current folder" : "Carregando a pasta atual", "Retry" : "Tentar novamente", "No files in here" : "Nenhum arquivo aqui", @@ -195,49 +187,34 @@ OC.L10N.register( "No search results for “{query}”" : "Sem resultados de pesquisa para \"{query}\"", "Search for files" : "Pesquisar arquivos", "Clipboard is not available" : "A área de transferência não está disponível", - "WebDAV URL copied to clipboard" : "URL de WebDAV copiado para a área de transferência", + "General" : "Geral", "Default view" : "Visualização padrão", "All files" : "Todos os arquivos", "Personal files" : "Arquivos pessoais", "Sort favorites first" : "Ordenar favoritos primeiro", "Sort folders before files" : "Ordenar pastas antes de arquivos", - "Enable folder tree" : "Ativar árvore de pastas", - "Visual settings" : "Configurações visuais", + "Folder tree" : "Árvore de pastas", + "Appearance" : "Aparência", "Show hidden files" : "Mostrar arquivos ocultos", "Show file type column" : "Mostrar coluna de tipo de arquivo", "Crop image previews" : "Cortar visualizações de imagem", - "Show files extensions" : "Mostrar extensões de arquivos", "Additional settings" : "Configurações adicionais", "WebDAV" : "WebDAV", "WebDAV URL" : "URL WebDAV", - "Copy to clipboard" : "Copiar para área de transferência", - "Use this address to access your Files via WebDAV." : "Use este endereço para acessar seus arquivos via WebDAV.", + "Copy" : "Copiar", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "A Autenticação de Dois Fatores está ativada para sua conta e, portanto, você precisa usar uma senha de aplicativo para conectar um cliente WebDAV externo.", "Warnings" : "Avisos", - "Prevent warning dialogs from open or reenable them." : "Impedir que as caixas de diálogo de aviso sejam abertas ou reativá-las.", - "Show a warning dialog when changing a file extension." : "Mostrar uma caixa de diálogo de aviso ao alterar uma extensão de arquivo.", - "Show a warning dialog when deleting files." : "Mostrar uma caixa de diálogo de aviso ao excluir arquivos.", "Keyboard shortcuts" : "Atalhos do teclado", - "Speed up your Files experience with these quick shortcuts." : "Acelere sua experiência com os Arquivos com estes atalhos", - "Open the actions menu for a file" : "Abrir o menu de ações para um arquivo", - "Rename a file" : "Renomear um arquivo", - "Delete a file" : "Remover um arquivo", - "Favorite or remove a file from favorites" : "Favoritar ou remover arquivo dos favoritos", - "Manage tags for a file" : "Gerenciar etiquetas para arquivo", + "File actions" : "Ações de arquivos", + "Rename" : "Renomear", + "Delete" : "Excluir", + "Manage tags" : "Gerenciar etiquetas", "Selection" : "Seleção", "Select all files" : "Selecionar todos os arquivos", - "Deselect all files" : "Deselecionar todos os arquivos", - "Select or deselect a file" : "Selecionar ou deselecionar um arquivo", - "Select a range of files" : "Selecione um intervalo de arquivos", + "Deselect all" : "Desselecionar todos", "Navigation" : "Navegação", - "Navigate to the parent folder" : "Navegar para o diretório pai", - "Navigate to the file above" : "Navegar para o arquivo acima", - "Navigate to the file below" : "Navegar para o arquivo abaixo", - "Navigate to the file on the left (in grid mode)" : "Navegar para o arquivo à esquerda (no modo de grade)", - "Navigate to the file on the right (in grid mode)" : "Navegar para o arquivo à direita (no modo de grade)", "View" : "Visualização", - "Toggle the grid view" : "Alternar visualização em grade", - "Open the sidebar for a file" : "Abrir barra lateral para um arquivo", + "Toggle grid view" : "Alternar a visão em grade", "Show those shortcuts" : "Mostrar esses atalhos", "You" : "Você", "Shared multiple times with different people" : "Compartilhado várias vezes com pessoas diferentes", @@ -276,7 +253,6 @@ OC.L10N.register( "Delete files" : "Excluir arquivos", "Delete folder" : "Excluir pasta", "Delete folders" : "Excluir pastas", - "Delete" : "Excluir", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Você está prestes a excluir permanentemente {count} item","Você está prestes a excluir permanentemente {count} de itens","Você está prestes a excluir permanentemente {count} itens"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Você está prestes a excluir {count} item","Você está prestes a excluir {count} de itens","Você está prestes a excluir {count} itens"], "Confirm deletion" : "Confirmar exclusão", @@ -294,7 +270,6 @@ OC.L10N.register( "The file does not exist anymore" : "O arquivo não existe mais", "Choose destination" : "Escolher destino", "Copy to {target}" : "Copiar para {target}", - "Copy" : "Copiar", "Move to {target}" : "Mover para {target}", "Move" : "Mover", "Move or copy operation failed" : "Falha na operação de mover ou copiar", @@ -307,8 +282,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "O arquivo agora deve abrir no seu dispositivo. Caso contrário, verifique se você tem o aplicativo para desktop instalado.", "Retry and close" : "Repetir e fechar", "Open online" : "Abrir on-line", - "Rename" : "Renomear", - "Open details" : "Abrir detalhes", + "Details" : "Detalhes", "View in folder" : "Exibir na pasta", "Today" : "Hoje", "Last 7 days" : "Últimos 7 dias", @@ -321,7 +295,7 @@ OC.L10N.register( "PDFs" : "PDFs", "Folders" : "Pastas", "Audio" : "Áudio", - "Photos and images" : "Fotos e imagens", + "Images" : "Imagens", "Videos" : "Vídeos", "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", @@ -348,7 +322,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "O nome \"{newName}\" já é utilizado na pasta \"{dir}\". Escolha um nome diferente.", "Could not rename \"{oldName}\"" : "Não foi possível renomear \"{oldName}\"", "This operation is forbidden" : "Esta operação é proibida", - "This directory is unavailable, please check the logs or contact the administrator" : "Este diretório não está disponível, por favor verifique os logs ou contacte o administrador", "Storage is temporarily not available" : "O armazenamento está temporariamente indisponível", "Unexpected error: {error}" : "Erro inesperado: {error}", "_%n file_::_%n files_" : ["%n arquivo","%n de arquivos","%n arquivos"], @@ -363,7 +336,6 @@ OC.L10N.register( "No favorites yet" : "Você não possui favoritos!", "Files and folders you mark as favorite will show up here" : "Suas pastas e arquivos favoritos serão exibidos aqui.", "List of your files and folders." : "Lista de seus arquivos e pastas.", - "Folder tree" : "Árvore de pastas", "List of your files and folders that are not shared." : "Lista dos seus arquivos e pastas que não estão compartilhados.", "No personal files found" : "Nenhum arquivo pessoal encontrado", "Files that are not shared will show up here." : "Arquivos que não estão compartilhados aparecerão aqui.", @@ -402,12 +374,12 @@ OC.L10N.register( "Edit locally" : "Editar localmente", "Open" : "Abrir", "Could not load info for file \"{file}\"" : "Não foi possível carregar informações para o arquivo \"{file}\" ", - "Details" : "Detalhes", "Please select tag(s) to add to the selection" : "Por favor, selecione a(s) etiquetas(s) para adicionar à seleção ", "Apply tag(s) to selection" : "Aplicar etiqueta(s) à seleção", "Select directory \"{dirName}\"" : "Selecionar o diretório \"{dirName}\"", "Select file \"{fileName}\"" : "Selecionar o arquivo \"{fileName}\"", "Unable to determine date" : "Impossível determinar a data", + "This directory is unavailable, please check the logs or contact the administrator" : "Este diretório não está disponível, por favor verifique os logs ou contacte o administrador", "Could not move \"{file}\", target exists" : "Não foi possível mover \"{file}\" pois o destino já existe", "Could not move \"{file}\"" : "Não foi possível mover \"{file}\"", "copy" : "copiar", @@ -455,15 +427,24 @@ OC.L10N.register( "Not favored" : "Não marcado como favorito", "An error occurred while trying to update the tags" : "Ocorreu um erro enquanto tentava atualizar as etiquetas", "Upload (max. %s)" : "Upload (max. %s)", + "\"{displayName}\" action executed successfully" : "Ação \"{displayName}\" executada com sucesso", + "\"{displayName}\" action failed" : "A ação \"{displayName}\" falhou", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" falhou em alguns elementos", + "\"{displayName}\" batch action executed successfully" : "Ação em lote \"{displayName}\" executada com êxito", "Submitting fields…" : "Enviando campos…", "Filter filenames…" : "Filtrar nomes de arquivos…", + "WebDAV URL copied to clipboard" : "URL de WebDAV copiado para a área de transferência", "Enable the grid view" : "Ativar a visualização em grade", + "Enable folder tree" : "Ativar árvore de pastas", + "Copy to clipboard" : "Copiar para área de transferência", "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", + "Open details" : "Abrir detalhes", + "Photos and images" : "Fotos e imagens", "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"], @@ -477,6 +458,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (renomeado)", "renamed file" : "arquivo renomeado", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Depois de ativar os nomes de arquivos compatíveis com o Windows, os arquivos existentes não podem mais ser modificados, mas podem ser renomeados para novos nomes válidos pelo proprietário.", - "Filter file names …" : "Filtrar nomes de arquivos …" + "Filter file names …" : "Filtrar nomes de arquivos …", + "Prevent warning dialogs from open or reenable them." : "Impedir que as caixas de diálogo de aviso sejam abertas ou reativá-las.", + "Show a warning dialog when changing a file extension." : "Mostrar uma caixa de diálogo de aviso ao alterar uma extensão de arquivo.", + "Speed up your Files experience with these quick shortcuts." : "Acelere sua experiência com os Arquivos com estes atalhos", + "Open the actions menu for a file" : "Abrir o menu de ações para um arquivo", + "Rename a file" : "Renomear um arquivo", + "Delete a file" : "Remover um arquivo", + "Favorite or remove a file from favorites" : "Favoritar ou remover arquivo dos favoritos", + "Manage tags for a file" : "Gerenciar etiquetas para arquivo", + "Deselect all files" : "Deselecionar todos os arquivos", + "Select or deselect a file" : "Selecionar ou deselecionar um arquivo", + "Select a range of files" : "Selecione um intervalo de arquivos", + "Navigate to the parent folder" : "Navegar para o diretório pai", + "Navigate to the file above" : "Navegar para o arquivo acima", + "Navigate to the file below" : "Navegar para o arquivo abaixo", + "Navigate to the file on the left (in grid mode)" : "Navegar para o arquivo à esquerda (no modo de grade)", + "Navigate to the file on the right (in grid mode)" : "Navegar para o arquivo à direita (no modo de grade)", + "Toggle the grid view" : "Alternar visualização em grade", + "Open the sidebar for a file" : "Abrir barra lateral para um arquivo" }, "nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/files/l10n/pt_BR.json b/apps/files/l10n/pt_BR.json index 4ea43008acb..dd50c32b179 100644 --- a/apps/files/l10n/pt_BR.json +++ b/apps/files/l10n/pt_BR.json @@ -113,9 +113,6 @@ "Name" : "Nome", "File type" : "Tipo de arquivo", "Size" : "Tamanho", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" falhou em alguns elementos", - "\"{displayName}\" batch action executed successfully" : "Ação em lote \"{displayName}\" executada com êxito", - "\"{displayName}\" action failed" : "A ação \"{displayName}\" falhou", "Actions" : "Ações", "(selected)" : "(selecionados)", "List of files and folders." : "Lista de arquivos e pastas.", @@ -124,11 +121,7 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Esta lista não é totalmente renderizada por motivos de desempenho. Os arquivos serão renderizados à medida que você navegar pela lista.", "File not found" : "Arquivo não encontrado", "_{count} selected_::_{count} selected_" : ["{count} selecionado","{count} selecionados","{count} selecionados"], - "Search globally by filename …" : "Pesquisar globalmente por nome de arquivo …", - "Search here by filename …" : "Pesquisar aqui por nome de arquivo …", "Search scope options" : "Opções de escopo da pesquisa", - "Filter and search from this location" : "Filtrar e pesquisar a partir deste local", - "Search globally" : "Pesquisar globalmente", "{usedQuotaByte} used" : "{usedQuotaByte} usado", "{used} of {quota} used" : "{used} de {quota} usados", "{relative}% used" : "{relative}% usado", @@ -178,7 +171,6 @@ "Error during upload: {message}" : "Erro durante o upload: {message}", "Error during upload, status code {status}" : "Erro durante o upload, código de status {status}", "Unknown error during upload" : "Erro desconhecido durante o upload", - "\"{displayName}\" action executed successfully" : "Ação \"{displayName}\" executada com sucesso", "Loading current folder" : "Carregando a pasta atual", "Retry" : "Tentar novamente", "No files in here" : "Nenhum arquivo aqui", @@ -193,49 +185,34 @@ "No search results for “{query}”" : "Sem resultados de pesquisa para \"{query}\"", "Search for files" : "Pesquisar arquivos", "Clipboard is not available" : "A área de transferência não está disponível", - "WebDAV URL copied to clipboard" : "URL de WebDAV copiado para a área de transferência", + "General" : "Geral", "Default view" : "Visualização padrão", "All files" : "Todos os arquivos", "Personal files" : "Arquivos pessoais", "Sort favorites first" : "Ordenar favoritos primeiro", "Sort folders before files" : "Ordenar pastas antes de arquivos", - "Enable folder tree" : "Ativar árvore de pastas", - "Visual settings" : "Configurações visuais", + "Folder tree" : "Árvore de pastas", + "Appearance" : "Aparência", "Show hidden files" : "Mostrar arquivos ocultos", "Show file type column" : "Mostrar coluna de tipo de arquivo", "Crop image previews" : "Cortar visualizações de imagem", - "Show files extensions" : "Mostrar extensões de arquivos", "Additional settings" : "Configurações adicionais", "WebDAV" : "WebDAV", "WebDAV URL" : "URL WebDAV", - "Copy to clipboard" : "Copiar para área de transferência", - "Use this address to access your Files via WebDAV." : "Use este endereço para acessar seus arquivos via WebDAV.", + "Copy" : "Copiar", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "A Autenticação de Dois Fatores está ativada para sua conta e, portanto, você precisa usar uma senha de aplicativo para conectar um cliente WebDAV externo.", "Warnings" : "Avisos", - "Prevent warning dialogs from open or reenable them." : "Impedir que as caixas de diálogo de aviso sejam abertas ou reativá-las.", - "Show a warning dialog when changing a file extension." : "Mostrar uma caixa de diálogo de aviso ao alterar uma extensão de arquivo.", - "Show a warning dialog when deleting files." : "Mostrar uma caixa de diálogo de aviso ao excluir arquivos.", "Keyboard shortcuts" : "Atalhos do teclado", - "Speed up your Files experience with these quick shortcuts." : "Acelere sua experiência com os Arquivos com estes atalhos", - "Open the actions menu for a file" : "Abrir o menu de ações para um arquivo", - "Rename a file" : "Renomear um arquivo", - "Delete a file" : "Remover um arquivo", - "Favorite or remove a file from favorites" : "Favoritar ou remover arquivo dos favoritos", - "Manage tags for a file" : "Gerenciar etiquetas para arquivo", + "File actions" : "Ações de arquivos", + "Rename" : "Renomear", + "Delete" : "Excluir", + "Manage tags" : "Gerenciar etiquetas", "Selection" : "Seleção", "Select all files" : "Selecionar todos os arquivos", - "Deselect all files" : "Deselecionar todos os arquivos", - "Select or deselect a file" : "Selecionar ou deselecionar um arquivo", - "Select a range of files" : "Selecione um intervalo de arquivos", + "Deselect all" : "Desselecionar todos", "Navigation" : "Navegação", - "Navigate to the parent folder" : "Navegar para o diretório pai", - "Navigate to the file above" : "Navegar para o arquivo acima", - "Navigate to the file below" : "Navegar para o arquivo abaixo", - "Navigate to the file on the left (in grid mode)" : "Navegar para o arquivo à esquerda (no modo de grade)", - "Navigate to the file on the right (in grid mode)" : "Navegar para o arquivo à direita (no modo de grade)", "View" : "Visualização", - "Toggle the grid view" : "Alternar visualização em grade", - "Open the sidebar for a file" : "Abrir barra lateral para um arquivo", + "Toggle grid view" : "Alternar a visão em grade", "Show those shortcuts" : "Mostrar esses atalhos", "You" : "Você", "Shared multiple times with different people" : "Compartilhado várias vezes com pessoas diferentes", @@ -274,7 +251,6 @@ "Delete files" : "Excluir arquivos", "Delete folder" : "Excluir pasta", "Delete folders" : "Excluir pastas", - "Delete" : "Excluir", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Você está prestes a excluir permanentemente {count} item","Você está prestes a excluir permanentemente {count} de itens","Você está prestes a excluir permanentemente {count} itens"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Você está prestes a excluir {count} item","Você está prestes a excluir {count} de itens","Você está prestes a excluir {count} itens"], "Confirm deletion" : "Confirmar exclusão", @@ -292,7 +268,6 @@ "The file does not exist anymore" : "O arquivo não existe mais", "Choose destination" : "Escolher destino", "Copy to {target}" : "Copiar para {target}", - "Copy" : "Copiar", "Move to {target}" : "Mover para {target}", "Move" : "Mover", "Move or copy operation failed" : "Falha na operação de mover ou copiar", @@ -305,8 +280,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "O arquivo agora deve abrir no seu dispositivo. Caso contrário, verifique se você tem o aplicativo para desktop instalado.", "Retry and close" : "Repetir e fechar", "Open online" : "Abrir on-line", - "Rename" : "Renomear", - "Open details" : "Abrir detalhes", + "Details" : "Detalhes", "View in folder" : "Exibir na pasta", "Today" : "Hoje", "Last 7 days" : "Últimos 7 dias", @@ -319,7 +293,7 @@ "PDFs" : "PDFs", "Folders" : "Pastas", "Audio" : "Áudio", - "Photos and images" : "Fotos e imagens", + "Images" : "Imagens", "Videos" : "Vídeos", "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", @@ -346,7 +320,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "O nome \"{newName}\" já é utilizado na pasta \"{dir}\". Escolha um nome diferente.", "Could not rename \"{oldName}\"" : "Não foi possível renomear \"{oldName}\"", "This operation is forbidden" : "Esta operação é proibida", - "This directory is unavailable, please check the logs or contact the administrator" : "Este diretório não está disponível, por favor verifique os logs ou contacte o administrador", "Storage is temporarily not available" : "O armazenamento está temporariamente indisponível", "Unexpected error: {error}" : "Erro inesperado: {error}", "_%n file_::_%n files_" : ["%n arquivo","%n de arquivos","%n arquivos"], @@ -361,7 +334,6 @@ "No favorites yet" : "Você não possui favoritos!", "Files and folders you mark as favorite will show up here" : "Suas pastas e arquivos favoritos serão exibidos aqui.", "List of your files and folders." : "Lista de seus arquivos e pastas.", - "Folder tree" : "Árvore de pastas", "List of your files and folders that are not shared." : "Lista dos seus arquivos e pastas que não estão compartilhados.", "No personal files found" : "Nenhum arquivo pessoal encontrado", "Files that are not shared will show up here." : "Arquivos que não estão compartilhados aparecerão aqui.", @@ -400,12 +372,12 @@ "Edit locally" : "Editar localmente", "Open" : "Abrir", "Could not load info for file \"{file}\"" : "Não foi possível carregar informações para o arquivo \"{file}\" ", - "Details" : "Detalhes", "Please select tag(s) to add to the selection" : "Por favor, selecione a(s) etiquetas(s) para adicionar à seleção ", "Apply tag(s) to selection" : "Aplicar etiqueta(s) à seleção", "Select directory \"{dirName}\"" : "Selecionar o diretório \"{dirName}\"", "Select file \"{fileName}\"" : "Selecionar o arquivo \"{fileName}\"", "Unable to determine date" : "Impossível determinar a data", + "This directory is unavailable, please check the logs or contact the administrator" : "Este diretório não está disponível, por favor verifique os logs ou contacte o administrador", "Could not move \"{file}\", target exists" : "Não foi possível mover \"{file}\" pois o destino já existe", "Could not move \"{file}\"" : "Não foi possível mover \"{file}\"", "copy" : "copiar", @@ -453,15 +425,24 @@ "Not favored" : "Não marcado como favorito", "An error occurred while trying to update the tags" : "Ocorreu um erro enquanto tentava atualizar as etiquetas", "Upload (max. %s)" : "Upload (max. %s)", + "\"{displayName}\" action executed successfully" : "Ação \"{displayName}\" executada com sucesso", + "\"{displayName}\" action failed" : "A ação \"{displayName}\" falhou", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" falhou em alguns elementos", + "\"{displayName}\" batch action executed successfully" : "Ação em lote \"{displayName}\" executada com êxito", "Submitting fields…" : "Enviando campos…", "Filter filenames…" : "Filtrar nomes de arquivos…", + "WebDAV URL copied to clipboard" : "URL de WebDAV copiado para a área de transferência", "Enable the grid view" : "Ativar a visualização em grade", + "Enable folder tree" : "Ativar árvore de pastas", + "Copy to clipboard" : "Copiar para área de transferência", "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", + "Open details" : "Abrir detalhes", + "Photos and images" : "Fotos e imagens", "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"], @@ -475,6 +456,24 @@ "%1$s (renamed)" : "%1$s (renomeado)", "renamed file" : "arquivo renomeado", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Depois de ativar os nomes de arquivos compatíveis com o Windows, os arquivos existentes não podem mais ser modificados, mas podem ser renomeados para novos nomes válidos pelo proprietário.", - "Filter file names …" : "Filtrar nomes de arquivos …" + "Filter file names …" : "Filtrar nomes de arquivos …", + "Prevent warning dialogs from open or reenable them." : "Impedir que as caixas de diálogo de aviso sejam abertas ou reativá-las.", + "Show a warning dialog when changing a file extension." : "Mostrar uma caixa de diálogo de aviso ao alterar uma extensão de arquivo.", + "Speed up your Files experience with these quick shortcuts." : "Acelere sua experiência com os Arquivos com estes atalhos", + "Open the actions menu for a file" : "Abrir o menu de ações para um arquivo", + "Rename a file" : "Renomear um arquivo", + "Delete a file" : "Remover um arquivo", + "Favorite or remove a file from favorites" : "Favoritar ou remover arquivo dos favoritos", + "Manage tags for a file" : "Gerenciar etiquetas para arquivo", + "Deselect all files" : "Deselecionar todos os arquivos", + "Select or deselect a file" : "Selecionar ou deselecionar um arquivo", + "Select a range of files" : "Selecione um intervalo de arquivos", + "Navigate to the parent folder" : "Navegar para o diretório pai", + "Navigate to the file above" : "Navegar para o arquivo acima", + "Navigate to the file below" : "Navegar para o arquivo abaixo", + "Navigate to the file on the left (in grid mode)" : "Navegar para o arquivo à esquerda (no modo de grade)", + "Navigate to the file on the right (in grid mode)" : "Navegar para o arquivo à direita (no modo de grade)", + "Toggle the grid view" : "Alternar visualização em grade", + "Open the sidebar for a file" : "Abrir barra lateral para um arquivo" },"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/l10n/pt_PT.js b/apps/files/l10n/pt_PT.js index 0cc126b87d3..d896d838112 100644 --- a/apps/files/l10n/pt_PT.js +++ b/apps/files/l10n/pt_PT.js @@ -98,8 +98,6 @@ OC.L10N.register( "Toggle selection for all files and folders" : "Alternar a seleção para todos os ficheiros e pastas", "Name" : "Nome", "Size" : "Tamanho", - "\"{displayName}\" batch action executed successfully" : "Ação de lote “{displayName}” executada com sucesso", - "\"{displayName}\" action failed" : "\"{displayName}\" a ação falhou", "Actions" : "Ações", "(selected)" : "(selecionado)", "List of files and folders." : "Lista de ficheiros e pastas.", @@ -107,7 +105,6 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Por motivos de desempenho, esta lista não é totalmente processada. Os ficheiros serão processados à medida que navega na lista.", "File not found" : "Ficheiro não encontrado", "_{count} selected_::_{count} selected_" : ["{count} selecionado","{count} selecionado","{count} selecionado"], - "Search globally" : "Procura global", "{usedQuotaByte} used" : "{usedQuotaByte} usado", "{used} of {quota} used" : "utilizado {used} de {quota}", "{relative}% used" : "{relative}% usado", @@ -138,20 +135,24 @@ OC.L10N.register( "Shared" : "Partilhados", "Not enough free space" : "Espaço insuficiente", "Operation is blocked by access control" : "A operação está bloqueada pelo controlo de acesso", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" ação executada com sucesso ", "Retry" : "Repetir", "No files in here" : "Nenhuns ficheiros aqui", "Upload some content or sync with your devices!" : "Envie algum conteúdo ou sincronize com os seus dispositivos!", "Go back" : "Voltar", "Views" : "Vistas", "Files settings" : "Definições do Ficheiros", + "General" : "Geral", "All files" : "Todos os ficheiros", "Personal files" : "Ficheiros pessoais", "Show hidden files" : "Mostrar ficheiros ocultos", "Additional settings" : "Definições adicionais", "WebDAV" : "WebDAV", - "Copy to clipboard" : "Copiar para área de transferência", + "Copy" : "Copiar", "Keyboard shortcuts" : "Atalhos de teclado", + "File actions" : "Ações sobre ficheiros", + "Rename" : "Renomear", + "Delete" : "Apagar", + "Deselect all" : "Desselecionar tudo", "Navigation" : "Navegação", "View" : "Ver", "You" : "Vovê", @@ -165,22 +166,21 @@ OC.L10N.register( "Delete permanently" : "Eliminar permanentemente", "Delete file" : "Apagar ficheiro", "Delete folder" : "Apagar pasta", - "Delete" : "Apagar", "Cancel" : "Cancelar", "Download" : "Transferir", "Copy to {target}" : "Copiar para {target}", - "Copy" : "Copiar", "Move to {target}" : "Mover para {target}", "Move" : "Mover", "Move or copy" : "Mover ou copiar", "Failed to redirect to client" : "Erro ao redirecionar para o cliente", - "Rename" : "Renomear", + "Details" : "Detalhes", "View in folder" : "Ver na pasta", "Today" : "Hoje", "Last 7 days" : "Últimos 7 dias", "Last 30 days" : "Últimos 30 dias", "Documents" : "Documentos", "Audio" : "Áudio", + "Images" : "Imagens", "Videos" : "Vídeos", "Templates" : "Modelos", "Some files could not be moved" : "Não foi possível mover alguns ficheiros", @@ -188,7 +188,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "O nome “{newName}” já está a ser utilizado na pasta “{dir}”. Por favor, escolha um nome diferente.", "Could not rename \"{oldName}\"" : "Não foi possível renomear \"{oldName}\"", "This operation is forbidden" : "Esta operação é proibida", - "This directory is unavailable, please check the logs or contact the administrator" : "Esta diretoria está indisponível, por favor, verifique os registos ou contacte o administrador", "Storage is temporarily not available" : "Armazenamento temporariamente indisponível", "_%n file_::_%n files_" : ["%n ficheiro","%n ficheiros","%n ficheiros"], "_%n folder_::_%n folders_" : ["%n pasta","%n pastas","%n pastas"], @@ -222,12 +221,12 @@ OC.L10N.register( "Edit locally" : "Editar localmente", "Open" : "Abrir", "Could not load info for file \"{file}\"" : "Não foi possível carregar informações do ficheiro \"{file}\"", - "Details" : "Detalhes", "Please select tag(s) to add to the selection" : "Selecione a(s) etiquetas(s) para adicionar à seleção ", "Apply tag(s) to selection" : "Aplicar etiqueta(s) à seleção", "Select directory \"{dirName}\"" : "Selecionar o diretório \"{dirName}\"", "Select file \"{fileName}\"" : "Selecionar o ficheiro \"{fileName}\"", "Unable to determine date" : "Não é possível determinar a data", + "This directory is unavailable, please check the logs or contact the administrator" : "Esta diretoria está indisponível, por favor, verifique os registos ou contacte o administrador", "Could not move \"{file}\", target exists" : "Não foi possível mover \"{file}\", destino já existe", "Could not move \"{file}\"" : "Não foi possivel mover o ficheiro \"{file}\"", "copy" : "copiar", @@ -263,7 +262,11 @@ OC.L10N.register( "Upload file" : "Enviar ficheiro", "An error occurred while trying to update the tags" : "Ocorreu um erro ao tentar atualizar as etiquetas", "Upload (max. %s)" : "Envio (máx. %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" ação executada com sucesso ", + "\"{displayName}\" action failed" : "\"{displayName}\" a ação falhou", + "\"{displayName}\" batch action executed successfully" : "Ação de lote “{displayName}” executada com sucesso", "Submitting fields…" : "Submeter campos…", + "Copy to clipboard" : "Copiar para área de transferência", "{fileCount} files and {folderCount} folders" : "{fileCount} ficheiros e {folderCount} pastas", "Personal Files" : "Ficheiros pessoais", "Text file" : "Ficheiro de Texto", diff --git a/apps/files/l10n/pt_PT.json b/apps/files/l10n/pt_PT.json index 7224c0660f8..ec180778cce 100644 --- a/apps/files/l10n/pt_PT.json +++ b/apps/files/l10n/pt_PT.json @@ -96,8 +96,6 @@ "Toggle selection for all files and folders" : "Alternar a seleção para todos os ficheiros e pastas", "Name" : "Nome", "Size" : "Tamanho", - "\"{displayName}\" batch action executed successfully" : "Ação de lote “{displayName}” executada com sucesso", - "\"{displayName}\" action failed" : "\"{displayName}\" a ação falhou", "Actions" : "Ações", "(selected)" : "(selecionado)", "List of files and folders." : "Lista de ficheiros e pastas.", @@ -105,7 +103,6 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Por motivos de desempenho, esta lista não é totalmente processada. Os ficheiros serão processados à medida que navega na lista.", "File not found" : "Ficheiro não encontrado", "_{count} selected_::_{count} selected_" : ["{count} selecionado","{count} selecionado","{count} selecionado"], - "Search globally" : "Procura global", "{usedQuotaByte} used" : "{usedQuotaByte} usado", "{used} of {quota} used" : "utilizado {used} de {quota}", "{relative}% used" : "{relative}% usado", @@ -136,20 +133,24 @@ "Shared" : "Partilhados", "Not enough free space" : "Espaço insuficiente", "Operation is blocked by access control" : "A operação está bloqueada pelo controlo de acesso", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" ação executada com sucesso ", "Retry" : "Repetir", "No files in here" : "Nenhuns ficheiros aqui", "Upload some content or sync with your devices!" : "Envie algum conteúdo ou sincronize com os seus dispositivos!", "Go back" : "Voltar", "Views" : "Vistas", "Files settings" : "Definições do Ficheiros", + "General" : "Geral", "All files" : "Todos os ficheiros", "Personal files" : "Ficheiros pessoais", "Show hidden files" : "Mostrar ficheiros ocultos", "Additional settings" : "Definições adicionais", "WebDAV" : "WebDAV", - "Copy to clipboard" : "Copiar para área de transferência", + "Copy" : "Copiar", "Keyboard shortcuts" : "Atalhos de teclado", + "File actions" : "Ações sobre ficheiros", + "Rename" : "Renomear", + "Delete" : "Apagar", + "Deselect all" : "Desselecionar tudo", "Navigation" : "Navegação", "View" : "Ver", "You" : "Vovê", @@ -163,22 +164,21 @@ "Delete permanently" : "Eliminar permanentemente", "Delete file" : "Apagar ficheiro", "Delete folder" : "Apagar pasta", - "Delete" : "Apagar", "Cancel" : "Cancelar", "Download" : "Transferir", "Copy to {target}" : "Copiar para {target}", - "Copy" : "Copiar", "Move to {target}" : "Mover para {target}", "Move" : "Mover", "Move or copy" : "Mover ou copiar", "Failed to redirect to client" : "Erro ao redirecionar para o cliente", - "Rename" : "Renomear", + "Details" : "Detalhes", "View in folder" : "Ver na pasta", "Today" : "Hoje", "Last 7 days" : "Últimos 7 dias", "Last 30 days" : "Últimos 30 dias", "Documents" : "Documentos", "Audio" : "Áudio", + "Images" : "Imagens", "Videos" : "Vídeos", "Templates" : "Modelos", "Some files could not be moved" : "Não foi possível mover alguns ficheiros", @@ -186,7 +186,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "O nome “{newName}” já está a ser utilizado na pasta “{dir}”. Por favor, escolha um nome diferente.", "Could not rename \"{oldName}\"" : "Não foi possível renomear \"{oldName}\"", "This operation is forbidden" : "Esta operação é proibida", - "This directory is unavailable, please check the logs or contact the administrator" : "Esta diretoria está indisponível, por favor, verifique os registos ou contacte o administrador", "Storage is temporarily not available" : "Armazenamento temporariamente indisponível", "_%n file_::_%n files_" : ["%n ficheiro","%n ficheiros","%n ficheiros"], "_%n folder_::_%n folders_" : ["%n pasta","%n pastas","%n pastas"], @@ -220,12 +219,12 @@ "Edit locally" : "Editar localmente", "Open" : "Abrir", "Could not load info for file \"{file}\"" : "Não foi possível carregar informações do ficheiro \"{file}\"", - "Details" : "Detalhes", "Please select tag(s) to add to the selection" : "Selecione a(s) etiquetas(s) para adicionar à seleção ", "Apply tag(s) to selection" : "Aplicar etiqueta(s) à seleção", "Select directory \"{dirName}\"" : "Selecionar o diretório \"{dirName}\"", "Select file \"{fileName}\"" : "Selecionar o ficheiro \"{fileName}\"", "Unable to determine date" : "Não é possível determinar a data", + "This directory is unavailable, please check the logs or contact the administrator" : "Esta diretoria está indisponível, por favor, verifique os registos ou contacte o administrador", "Could not move \"{file}\", target exists" : "Não foi possível mover \"{file}\", destino já existe", "Could not move \"{file}\"" : "Não foi possivel mover o ficheiro \"{file}\"", "copy" : "copiar", @@ -261,7 +260,11 @@ "Upload file" : "Enviar ficheiro", "An error occurred while trying to update the tags" : "Ocorreu um erro ao tentar atualizar as etiquetas", "Upload (max. %s)" : "Envio (máx. %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" ação executada com sucesso ", + "\"{displayName}\" action failed" : "\"{displayName}\" a ação falhou", + "\"{displayName}\" batch action executed successfully" : "Ação de lote “{displayName}” executada com sucesso", "Submitting fields…" : "Submeter campos…", + "Copy to clipboard" : "Copiar para área de transferência", "{fileCount} files and {folderCount} folders" : "{fileCount} ficheiros e {folderCount} pastas", "Personal Files" : "Ficheiros pessoais", "Text file" : "Ficheiro de Texto", diff --git a/apps/files/l10n/ro.js b/apps/files/l10n/ro.js index 1b08105cd79..50a11451c1f 100644 --- a/apps/files/l10n/ro.js +++ b/apps/files/l10n/ro.js @@ -77,14 +77,11 @@ OC.L10N.register( "Total rows summary" : "Rezumat total rânduri", "Name" : "Nume", "Size" : "Mărime", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" acțiunea batch a fost executată cu succes", - "\"{displayName}\" action failed" : "Acțiunea \"{displayName}\" a eșuat", "Actions" : "Acțiuni", "List of files and folders." : "Listă fișiere și foldere", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Această lista este incomplet afișată din motive de performanță. Fișierele vor fi afișate pe măsură ce navigați prin listă.", "File not found" : "Fișierul nu a fost găsit", "_{count} selected_::_{count} selected_" : ["{count}selectat","{count}selectate","{count}selectate"], - "Search globally" : "Caută global", "{usedQuotaByte} used" : "{usedQuotaByte} utilizați", "{used} of {quota} used" : "{used} din {quota} folosiți", "{relative}% used" : "{relative}% utilizat", @@ -114,7 +111,6 @@ OC.L10N.register( "Switch to grid view" : "Comută la organizare tip grilă", "Not enough free space" : "Spațiu insuficient", "Operation is blocked by access control" : "Operația este blocată de către controlul de acces", - "\"{displayName}\" action executed successfully" : "Acțiunea \"{displayName}\" a fost executată cu succes", "Loading current folder" : "Se încarcă folderul curent", "Retry" : "Reîncearcă", "No files in here" : "Niciun fișier aici", @@ -124,18 +120,24 @@ OC.L10N.register( "Files settings" : "Setări Fișiere", "File cannot be accessed" : "Fișierul nu poate fi accesat", "Clipboard is not available" : "Clipboardul este indisponibil", - "WebDAV URL copied to clipboard" : "URL-ul WebDAV a fost copiat în clipboard", + "General" : "General", "All files" : "Toate fișierele", "Personal files" : "Fișiere personale", "Sort favorites first" : "Sortați favoritele primele", + "Appearance" : "Aspect", "Show hidden files" : "Arată fișierele ascunse", "Crop image previews" : "Previzualizarea imaginii decupate", "Additional settings" : "Setări adiționale", "WebDAV" : "WebDAV", - "Copy to clipboard" : "Copiază în clipboard", + "Copy" : "Copiază", "Keyboard shortcuts" : "Scurtături din tastatură", + "Rename" : "Redenumește", + "Delete" : "Șterge", + "Manage tags" : "Administrați etichete", + "Deselect all" : "Deselectează tot", "Navigation" : "Navigare", "View" : "Vizualizare", + "Toggle grid view" : "Comută vizualizarea grilă", "You" : "Tu", "Error while loading the file data" : "A apărut o eroare în timpul încărcării datele din fișier", "Owner" : "Proprietar", @@ -149,7 +151,6 @@ OC.L10N.register( "Creating file" : "Se crează fișierul", "Disconnect storage" : "Deconectează stocarea", "Delete permanently" : "Șterge permanent", - "Delete" : "Șterge", "Cancel" : "Anulare", "Download" : "Descarcă", "Destination is not a folder" : "Destinația nu este un folder", @@ -158,21 +159,20 @@ OC.L10N.register( "A file or folder with that name already exists in this folder" : "Un fișier sau folder cu acest nume există deja în acest folder", "The file does not exist anymore" : "Fișierul nu mai există", "Copy to {target}" : "Copiază la {target}", - "Copy" : "Copiază", "Move to {target}" : "Mută la {target}", "Move" : "Mută", "Move or copy" : "Mută sau copiază", "Open folder {displayName}" : "Deschide dosarul {displayName}", "Open in Files" : "Deschide în Fișiere", "Failed to redirect to client" : "Eroare la redirectarea către client", - "Rename" : "Redenumește", - "Open details" : "Deschide detaliile", + "Details" : "Detalii", "View in folder" : "Vizualizează în director", "Today" : "Azi", "Last 7 days" : "Ultimele 7 zile", "Last 30 days" : "Ultimele 30 de zile", "Documents" : "Documente", "Audio" : "Audio", + "Images" : "Imagini", "Videos" : "Fișiere video", "Created new folder \"{name}\"" : "A fost creat folderul nou \"{name}\"", "Unable to initialize the templates directory" : "Nu s-a putut inițializa dosarul cu șabloane", @@ -182,7 +182,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Numele \"{newName}\" există în folderul \"{dir}\". Selectați, vă rog, alt nume.", "Could not rename \"{oldName}\"" : "\"{oldName}\" nu poate fi redenumit", "This operation is forbidden" : "Operațiunea este interzisă", - "This directory is unavailable, please check the logs or contact the administrator" : "Acest director nu este disponibil, te rugăm verifică logurile sau contactează un administrator", "Storage is temporarily not available" : "Spațiu de stocare este indisponibil temporar", "_%n file_::_%n files_" : ["%n fișier","%n fișiere","%n fișiere"], "_%n folder_::_%n folders_" : ["%n director","%n directoare","%n directoare"], @@ -222,12 +221,12 @@ OC.L10N.register( "Edit locally" : "Editează local", "Open" : "Deschide", "Could not load info for file \"{file}\"" : "Nu s-a putut încărca informația pentru fișierul \"{file}\"", - "Details" : "Detalii", "Please select tag(s) to add to the selection" : "Selectați eticheta(ele) pentru adăugare la selecție", "Apply tag(s) to selection" : "Aplică eticheta(ele) selecției", "Select directory \"{dirName}\"" : "Selectează dosarul \"{dirName}\"", "Select file \"{fileName}\"" : "Selectează fișierul \"{fileName}\"", "Unable to determine date" : "Nu s-a putut determina data", + "This directory is unavailable, please check the logs or contact the administrator" : "Acest director nu este disponibil, te rugăm verifică logurile sau contactează un administrator", "Could not move \"{file}\", target exists" : "Nu s-a putut muta fișierul \"{file}\", există deja un altul cu același nume în directorul destinație", "Could not move \"{file}\"" : "Nu s-a putut muta fișierul \"{file}\"", "copy" : "copiază", @@ -269,10 +268,16 @@ OC.L10N.register( "Upload file" : "Încarcă fișier", "An error occurred while trying to update the tags" : "A apărut o eroare în timpul actualizării etichetelor", "Upload (max. %s)" : "Încarcă (max. %s)", + "\"{displayName}\" action executed successfully" : "Acțiunea \"{displayName}\" a fost executată cu succes", + "\"{displayName}\" action failed" : "Acțiunea \"{displayName}\" a eșuat", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" acțiunea batch a fost executată cu succes", + "WebDAV URL copied to clipboard" : "URL-ul WebDAV a fost copiat în clipboard", "Enable the grid view" : "Activați organizarea tip grilă", + "Copy to clipboard" : "Copiază în clipboard", "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ă", + "Open details" : "Deschide detaliile", "_{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 15fb2e24cec..2e2336ddbba 100644 --- a/apps/files/l10n/ro.json +++ b/apps/files/l10n/ro.json @@ -75,14 +75,11 @@ "Total rows summary" : "Rezumat total rânduri", "Name" : "Nume", "Size" : "Mărime", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" acțiunea batch a fost executată cu succes", - "\"{displayName}\" action failed" : "Acțiunea \"{displayName}\" a eșuat", "Actions" : "Acțiuni", "List of files and folders." : "Listă fișiere și foldere", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Această lista este incomplet afișată din motive de performanță. Fișierele vor fi afișate pe măsură ce navigați prin listă.", "File not found" : "Fișierul nu a fost găsit", "_{count} selected_::_{count} selected_" : ["{count}selectat","{count}selectate","{count}selectate"], - "Search globally" : "Caută global", "{usedQuotaByte} used" : "{usedQuotaByte} utilizați", "{used} of {quota} used" : "{used} din {quota} folosiți", "{relative}% used" : "{relative}% utilizat", @@ -112,7 +109,6 @@ "Switch to grid view" : "Comută la organizare tip grilă", "Not enough free space" : "Spațiu insuficient", "Operation is blocked by access control" : "Operația este blocată de către controlul de acces", - "\"{displayName}\" action executed successfully" : "Acțiunea \"{displayName}\" a fost executată cu succes", "Loading current folder" : "Se încarcă folderul curent", "Retry" : "Reîncearcă", "No files in here" : "Niciun fișier aici", @@ -122,18 +118,24 @@ "Files settings" : "Setări Fișiere", "File cannot be accessed" : "Fișierul nu poate fi accesat", "Clipboard is not available" : "Clipboardul este indisponibil", - "WebDAV URL copied to clipboard" : "URL-ul WebDAV a fost copiat în clipboard", + "General" : "General", "All files" : "Toate fișierele", "Personal files" : "Fișiere personale", "Sort favorites first" : "Sortați favoritele primele", + "Appearance" : "Aspect", "Show hidden files" : "Arată fișierele ascunse", "Crop image previews" : "Previzualizarea imaginii decupate", "Additional settings" : "Setări adiționale", "WebDAV" : "WebDAV", - "Copy to clipboard" : "Copiază în clipboard", + "Copy" : "Copiază", "Keyboard shortcuts" : "Scurtături din tastatură", + "Rename" : "Redenumește", + "Delete" : "Șterge", + "Manage tags" : "Administrați etichete", + "Deselect all" : "Deselectează tot", "Navigation" : "Navigare", "View" : "Vizualizare", + "Toggle grid view" : "Comută vizualizarea grilă", "You" : "Tu", "Error while loading the file data" : "A apărut o eroare în timpul încărcării datele din fișier", "Owner" : "Proprietar", @@ -147,7 +149,6 @@ "Creating file" : "Se crează fișierul", "Disconnect storage" : "Deconectează stocarea", "Delete permanently" : "Șterge permanent", - "Delete" : "Șterge", "Cancel" : "Anulare", "Download" : "Descarcă", "Destination is not a folder" : "Destinația nu este un folder", @@ -156,21 +157,20 @@ "A file or folder with that name already exists in this folder" : "Un fișier sau folder cu acest nume există deja în acest folder", "The file does not exist anymore" : "Fișierul nu mai există", "Copy to {target}" : "Copiază la {target}", - "Copy" : "Copiază", "Move to {target}" : "Mută la {target}", "Move" : "Mută", "Move or copy" : "Mută sau copiază", "Open folder {displayName}" : "Deschide dosarul {displayName}", "Open in Files" : "Deschide în Fișiere", "Failed to redirect to client" : "Eroare la redirectarea către client", - "Rename" : "Redenumește", - "Open details" : "Deschide detaliile", + "Details" : "Detalii", "View in folder" : "Vizualizează în director", "Today" : "Azi", "Last 7 days" : "Ultimele 7 zile", "Last 30 days" : "Ultimele 30 de zile", "Documents" : "Documente", "Audio" : "Audio", + "Images" : "Imagini", "Videos" : "Fișiere video", "Created new folder \"{name}\"" : "A fost creat folderul nou \"{name}\"", "Unable to initialize the templates directory" : "Nu s-a putut inițializa dosarul cu șabloane", @@ -180,7 +180,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Numele \"{newName}\" există în folderul \"{dir}\". Selectați, vă rog, alt nume.", "Could not rename \"{oldName}\"" : "\"{oldName}\" nu poate fi redenumit", "This operation is forbidden" : "Operațiunea este interzisă", - "This directory is unavailable, please check the logs or contact the administrator" : "Acest director nu este disponibil, te rugăm verifică logurile sau contactează un administrator", "Storage is temporarily not available" : "Spațiu de stocare este indisponibil temporar", "_%n file_::_%n files_" : ["%n fișier","%n fișiere","%n fișiere"], "_%n folder_::_%n folders_" : ["%n director","%n directoare","%n directoare"], @@ -220,12 +219,12 @@ "Edit locally" : "Editează local", "Open" : "Deschide", "Could not load info for file \"{file}\"" : "Nu s-a putut încărca informația pentru fișierul \"{file}\"", - "Details" : "Detalii", "Please select tag(s) to add to the selection" : "Selectați eticheta(ele) pentru adăugare la selecție", "Apply tag(s) to selection" : "Aplică eticheta(ele) selecției", "Select directory \"{dirName}\"" : "Selectează dosarul \"{dirName}\"", "Select file \"{fileName}\"" : "Selectează fișierul \"{fileName}\"", "Unable to determine date" : "Nu s-a putut determina data", + "This directory is unavailable, please check the logs or contact the administrator" : "Acest director nu este disponibil, te rugăm verifică logurile sau contactează un administrator", "Could not move \"{file}\", target exists" : "Nu s-a putut muta fișierul \"{file}\", există deja un altul cu același nume în directorul destinație", "Could not move \"{file}\"" : "Nu s-a putut muta fișierul \"{file}\"", "copy" : "copiază", @@ -267,10 +266,16 @@ "Upload file" : "Încarcă fișier", "An error occurred while trying to update the tags" : "A apărut o eroare în timpul actualizării etichetelor", "Upload (max. %s)" : "Încarcă (max. %s)", + "\"{displayName}\" action executed successfully" : "Acțiunea \"{displayName}\" a fost executată cu succes", + "\"{displayName}\" action failed" : "Acțiunea \"{displayName}\" a eșuat", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" acțiunea batch a fost executată cu succes", + "WebDAV URL copied to clipboard" : "URL-ul WebDAV a fost copiat în clipboard", "Enable the grid view" : "Activați organizarea tip grilă", + "Copy to clipboard" : "Copiază în clipboard", "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ă", + "Open details" : "Deschide detaliile", "_{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 fe56a03ba9f..78ae4efb64d 100644 --- a/apps/files/l10n/ru.js +++ b/apps/files/l10n/ru.js @@ -115,9 +115,6 @@ OC.L10N.register( "Name" : "Имя", "File type" : "Тип файла", "Size" : "Размер", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" не удалось выполнить некоторые элементы", - "\"{displayName}\" batch action executed successfully" : "Пакетное действие \"{displayName}\" выполнено успешно", - "\"{displayName}\" action failed" : "Действие «{displayName}» завершилось неудачно", "Actions" : "Действия", "(selected)" : "(выбранный)", "List of files and folders." : "Список файлов и каталогов.", @@ -126,11 +123,7 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Этот список отображается не полностью из соображений производительности. Файлы будут отображаться по мере перемещения по списку.", "File not found" : "Файл не найден", "_{count} selected_::_{count} selected_" : ["Выбран {count}","Выбрано {count}","Выбрано {count}","Выбрано {count} "], - "Search globally by filename …" : "Глобальный поиск по названию файла…", - "Search here by filename …" : "Поиск здесь по названию файла…", "Search scope options" : "Настройки области поиска", - "Filter and search from this location" : "Фильтровать и искать из этого расположения", - "Search globally" : "Искать глобально", "{usedQuotaByte} used" : "Использовано {usedQuotaByte}", "{used} of {quota} used" : "использовано {used} из {quota}", "{relative}% used" : "Использовано {relative}%", @@ -180,7 +173,6 @@ OC.L10N.register( "Error during upload: {message}" : "Ошибка при загрузке: {message}", "Error during upload, status code {status}" : "Ошибка при передаче на сервер. Сообщение об ошибке: {status}", "Unknown error during upload" : "Неизвестная ошибка при загрузке", - "\"{displayName}\" action executed successfully" : "Действие «{displayName}» выполнено успешно", "Loading current folder" : "Загрузка текущей папки", "Retry" : "Попробовать снова", "No files in here" : "Здесь нет файлов", @@ -195,49 +187,34 @@ OC.L10N.register( "No search results for “{query}”" : "Нет результатов поиска по запросу «{query}»", "Search for files" : "Поиск файлов", "Clipboard is not available" : "Буфер обмена недоступен", - "WebDAV URL copied to clipboard" : "Ссылка CalDAV скопирована в буфер обмена", + "General" : "Основные", "Default view" : "Вид по умолчанию", "All files" : "Все файлы", "Personal files" : "Личные файлы", "Sort favorites first" : "Сначала избранное", "Sort folders before files" : "Начинать список с папок", - "Enable folder tree" : "Включить дерево папок", - "Visual settings" : "Настройки отображения", + "Folder tree" : "Дерево папок", + "Appearance" : "Внешний вид", "Show hidden files" : "Показывать скрытые файлы", "Show file type column" : "Показать колонку с типом файла", "Crop image previews" : "Обрезать пред. просмотр", - "Show files extensions" : "Показывать расширения файлов", "Additional settings" : "Дополнительные параметры", "WebDAV" : "WebDAV", "WebDAV URL" : "Ссылка WebDAV", - "Copy to clipboard" : "Копировать в буфер", - "Use this address to access your Files via WebDAV." : "Используйте этот адрес для доступа к вашим файлам по WebDAV.", + "Copy" : "Копировать", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Для вашего аккаунта включена двухфакторная аутентификация, поэтому вам необходимо использовать пароль приложения чтобы подключить внешний WebDAV клиент.", "Warnings" : "Предупреждения", - "Prevent warning dialogs from open or reenable them." : "Предотвратить открытие диалоговых окон с предупреждениями или включить их повторно.", - "Show a warning dialog when changing a file extension." : "Показать диалоговое окно предупреждения при изменении расширения файла.", - "Show a warning dialog when deleting files." : "Показывать предупреждение при удалении файлов.", "Keyboard shortcuts" : "Сочетания клавиш", - "Speed up your Files experience with these quick shortcuts." : "Ускорьте работу с файлами с помощью сочетаний клавиш.", - "Open the actions menu for a file" : "Открыть меню действий для файла", - "Rename a file" : "Переименовать файл", - "Delete a file" : "Удалить файл", - "Favorite or remove a file from favorites" : "Добавить или убрать из избранного ", - "Manage tags for a file" : "Управление тегами файла", + "File actions" : "Сценарии файла", + "Rename" : "Переименовать", + "Delete" : "Удалить", + "Manage tags" : "Управление метками", "Selection" : "Выбор", "Select all files" : "Выбрать все файлы", - "Deselect all files" : "Отменить выбор всех файлов", - "Select or deselect a file" : "Выберите или отмените выбор файла", - "Select a range of files" : "Выбрать диапазон файлов", + "Deselect all" : "Снять выбор со всех", "Navigation" : "Навигация", - "Navigate to the parent folder" : "Перейти к родительской папке", - "Navigate to the file above" : "Перейти к файлу выше", - "Navigate to the file below" : "Перейти к файлу ниже", - "Navigate to the file on the left (in grid mode)" : "Перейдите к файлу слева (в режиме сетки)", - "Navigate to the file on the right (in grid mode)" : "Перейдите к файлу справа (в режиме сетки)", "View" : "Режим просмотра", - "Toggle the grid view" : "Переключение вида сетки", - "Open the sidebar for a file" : "Откройте боковую панель для поиска файла", + "Toggle grid view" : "Включить или отключить режим просмотра сеткой", "Show those shortcuts" : "Показать ярлыки", "You" : "Вы", "Shared multiple times with different people" : "Делиться несколько раз с разными людьми", @@ -276,7 +253,6 @@ OC.L10N.register( "Delete files" : "Удалить файлы", "Delete folder" : "Удалить папку", "Delete folders" : "Удалить папки", - "Delete" : "Удалить", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Вы собираетесь безвозвратно удалить {count} элемент","Вы собираетесь безвозвратно удалить {count} элемента","Вы собираетесь безвозвратно удалить {count} элементов","Вы собираетесь безвозвратно удалить {count} элементов"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Подтвердите удаление {count} объекта.","Подтвердите удаление {count} объектов","Подтвердите удаление {count} объектов","Подтвердите удаление {count} объектов"], "Confirm deletion" : "Подтвердить удаление", @@ -294,7 +270,6 @@ OC.L10N.register( "The file does not exist anymore" : "Файл больше не существует", "Choose destination" : "Выберите место назначения", "Copy to {target}" : "Скопировать в «{target}»", - "Copy" : "Копировать", "Move to {target}" : "Переместить в «{target}»", "Move" : "Переместить", "Move or copy operation failed" : "Ошибка перемещение или копирования", @@ -307,8 +282,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Теперь файл должен открыться на вашем устройстве. Если это не произошло, пожалуйста, убедитесь, что у вас установлено настольное приложение.", "Retry and close" : "Повторить попытку и закрыть", "Open online" : "Открыть онлайн", - "Rename" : "Переименовать", - "Open details" : "Открыть подробности", + "Details" : "Подробно", "View in folder" : "Посмотреть в каталоге", "Today" : "Сегодня", "Last 7 days" : "Последние 7 дней", @@ -321,7 +295,7 @@ OC.L10N.register( "PDFs" : "PDFs", "Folders" : "Папки", "Audio" : "Звук", - "Photos and images" : "Фотографии и изображения", + "Images" : "Изображения", "Videos" : "Видео", "Created new folder \"{name}\"" : "Создана новая папка \"{name}\"", "Unable to initialize the templates directory" : "Не удалось инициализировать каталог шаблонов", @@ -348,7 +322,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Имя \"{newName}\" уже используется в каталоге \"{dir}\". Выберите другое имя.", "Could not rename \"{oldName}\"" : "Не удалось переименовать «{oldName}»", "This operation is forbidden" : "Операция запрещена", - "This directory is unavailable, please check the logs or contact the administrator" : "Каталог недоступен. Проверьте журналы событий или свяжитесь с администратором", "Storage is temporarily not available" : "Хранилище временно недоступно", "Unexpected error: {error}" : "Неожиданная ошибка: {error}", "_%n file_::_%n files_" : ["%n файл","%n файла","%n файлов","%n файлов"], @@ -363,7 +336,6 @@ OC.L10N.register( "No favorites yet" : "В избранное ещё ничего не добавлено ", "Files and folders you mark as favorite will show up here" : "Здесь будут показаны файлы и каталоги, отмеченные как избранные", "List of your files and folders." : "Список ваших файлов и каталогов.", - "Folder tree" : "Дерево папок", "List of your files and folders that are not shared." : "Список ваших неопубликованных файлов и папок.", "No personal files found" : "Личные файлы не найдены", "Files that are not shared will show up here." : "Файлы, которые не опубликованы, показаны здесь.", @@ -402,12 +374,12 @@ OC.L10N.register( "Edit locally" : "Редактировать локально", "Open" : "Открыть", "Could not load info for file \"{file}\"" : "Не удаётся загрузить информацию для файла \"{file}\"", - "Details" : "Подробно", "Please select tag(s) to add to the selection" : "Выберите метки для назначения выбранным объектам", "Apply tag(s) to selection" : "Назначить метки выбранным объектам", "Select directory \"{dirName}\"" : "Выберите каталог \"{dirName}\"", "Select file \"{fileName}\"" : "Выберите файл \"{fileName}\"", "Unable to determine date" : "Невозможно определить дату", + "This directory is unavailable, please check the logs or contact the administrator" : "Каталог недоступен. Проверьте журналы событий или свяжитесь с администратором", "Could not move \"{file}\", target exists" : "Невозможно переместить файл «{file}», он уже существует в каталоге назначения", "Could not move \"{file}\"" : "Невозможно переместить файл «{file}»", "copy" : "копия", @@ -455,15 +427,24 @@ OC.L10N.register( "Not favored" : "Не одобрен", "An error occurred while trying to update the tags" : "Во время обновления тегов возникла ошибка", "Upload (max. %s)" : "Загрузка (максимум %s)", + "\"{displayName}\" action executed successfully" : "Действие «{displayName}» выполнено успешно", + "\"{displayName}\" action failed" : "Действие «{displayName}» завершилось неудачно", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" не удалось выполнить некоторые элементы", + "\"{displayName}\" batch action executed successfully" : "Пакетное действие \"{displayName}\" выполнено успешно", "Submitting fields…" : "Отправка полей…", "Filter filenames…" : "Фильтровать имена файлов…", + "WebDAV URL copied to clipboard" : "Ссылка CalDAV скопирована в буфер обмена", "Enable the grid view" : "Включить режим просмотра сеткой", + "Enable folder tree" : "Включить дерево папок", + "Copy to clipboard" : "Копировать в буфер", "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" : "Копирование или перемещение отменено", + "Open details" : "Открыть подробности", + "Photos and images" : "Фотографии и изображения", "New folder creation cancelled" : "Создание новой папки отменено", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} папка","{folderCount} папки","{folderCount} папок","{folderCount} папки"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} файл","{fileCount} файла","{fileCount} файлов","{fileCount} файла"], @@ -477,6 +458,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (переименовано)", "renamed file" : "переименованный файл", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "После включения совместимых с Windows названий файлов, существующие файлы нельзя будет изменить, но они могут быть переименованы их владельцем в допустимые новые имена.", - "Filter file names …" : "Фильтровать имена файлов…" + "Filter file names …" : "Фильтровать имена файлов…", + "Prevent warning dialogs from open or reenable them." : "Предотвратить открытие диалоговых окон с предупреждениями или включить их повторно.", + "Show a warning dialog when changing a file extension." : "Показать диалоговое окно предупреждения при изменении расширения файла.", + "Speed up your Files experience with these quick shortcuts." : "Ускорьте работу с файлами с помощью сочетаний клавиш.", + "Open the actions menu for a file" : "Открыть меню действий для файла", + "Rename a file" : "Переименовать файл", + "Delete a file" : "Удалить файл", + "Favorite or remove a file from favorites" : "Добавить или убрать из избранного ", + "Manage tags for a file" : "Управление тегами файла", + "Deselect all files" : "Отменить выбор всех файлов", + "Select or deselect a file" : "Выберите или отмените выбор файла", + "Select a range of files" : "Выбрать диапазон файлов", + "Navigate to the parent folder" : "Перейти к родительской папке", + "Navigate to the file above" : "Перейти к файлу выше", + "Navigate to the file below" : "Перейти к файлу ниже", + "Navigate to the file on the left (in grid mode)" : "Перейдите к файлу слева (в режиме сетки)", + "Navigate to the file on the right (in grid mode)" : "Перейдите к файлу справа (в режиме сетки)", + "Toggle the grid view" : "Переключение вида сетки", + "Open the sidebar for a file" : "Откройте боковую панель для поиска файла" }, "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/l10n/ru.json b/apps/files/l10n/ru.json index ea8cf4803cb..3fc809d957d 100644 --- a/apps/files/l10n/ru.json +++ b/apps/files/l10n/ru.json @@ -113,9 +113,6 @@ "Name" : "Имя", "File type" : "Тип файла", "Size" : "Размер", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" не удалось выполнить некоторые элементы", - "\"{displayName}\" batch action executed successfully" : "Пакетное действие \"{displayName}\" выполнено успешно", - "\"{displayName}\" action failed" : "Действие «{displayName}» завершилось неудачно", "Actions" : "Действия", "(selected)" : "(выбранный)", "List of files and folders." : "Список файлов и каталогов.", @@ -124,11 +121,7 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Этот список отображается не полностью из соображений производительности. Файлы будут отображаться по мере перемещения по списку.", "File not found" : "Файл не найден", "_{count} selected_::_{count} selected_" : ["Выбран {count}","Выбрано {count}","Выбрано {count}","Выбрано {count} "], - "Search globally by filename …" : "Глобальный поиск по названию файла…", - "Search here by filename …" : "Поиск здесь по названию файла…", "Search scope options" : "Настройки области поиска", - "Filter and search from this location" : "Фильтровать и искать из этого расположения", - "Search globally" : "Искать глобально", "{usedQuotaByte} used" : "Использовано {usedQuotaByte}", "{used} of {quota} used" : "использовано {used} из {quota}", "{relative}% used" : "Использовано {relative}%", @@ -178,7 +171,6 @@ "Error during upload: {message}" : "Ошибка при загрузке: {message}", "Error during upload, status code {status}" : "Ошибка при передаче на сервер. Сообщение об ошибке: {status}", "Unknown error during upload" : "Неизвестная ошибка при загрузке", - "\"{displayName}\" action executed successfully" : "Действие «{displayName}» выполнено успешно", "Loading current folder" : "Загрузка текущей папки", "Retry" : "Попробовать снова", "No files in here" : "Здесь нет файлов", @@ -193,49 +185,34 @@ "No search results for “{query}”" : "Нет результатов поиска по запросу «{query}»", "Search for files" : "Поиск файлов", "Clipboard is not available" : "Буфер обмена недоступен", - "WebDAV URL copied to clipboard" : "Ссылка CalDAV скопирована в буфер обмена", + "General" : "Основные", "Default view" : "Вид по умолчанию", "All files" : "Все файлы", "Personal files" : "Личные файлы", "Sort favorites first" : "Сначала избранное", "Sort folders before files" : "Начинать список с папок", - "Enable folder tree" : "Включить дерево папок", - "Visual settings" : "Настройки отображения", + "Folder tree" : "Дерево папок", + "Appearance" : "Внешний вид", "Show hidden files" : "Показывать скрытые файлы", "Show file type column" : "Показать колонку с типом файла", "Crop image previews" : "Обрезать пред. просмотр", - "Show files extensions" : "Показывать расширения файлов", "Additional settings" : "Дополнительные параметры", "WebDAV" : "WebDAV", "WebDAV URL" : "Ссылка WebDAV", - "Copy to clipboard" : "Копировать в буфер", - "Use this address to access your Files via WebDAV." : "Используйте этот адрес для доступа к вашим файлам по WebDAV.", + "Copy" : "Копировать", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Для вашего аккаунта включена двухфакторная аутентификация, поэтому вам необходимо использовать пароль приложения чтобы подключить внешний WebDAV клиент.", "Warnings" : "Предупреждения", - "Prevent warning dialogs from open or reenable them." : "Предотвратить открытие диалоговых окон с предупреждениями или включить их повторно.", - "Show a warning dialog when changing a file extension." : "Показать диалоговое окно предупреждения при изменении расширения файла.", - "Show a warning dialog when deleting files." : "Показывать предупреждение при удалении файлов.", "Keyboard shortcuts" : "Сочетания клавиш", - "Speed up your Files experience with these quick shortcuts." : "Ускорьте работу с файлами с помощью сочетаний клавиш.", - "Open the actions menu for a file" : "Открыть меню действий для файла", - "Rename a file" : "Переименовать файл", - "Delete a file" : "Удалить файл", - "Favorite or remove a file from favorites" : "Добавить или убрать из избранного ", - "Manage tags for a file" : "Управление тегами файла", + "File actions" : "Сценарии файла", + "Rename" : "Переименовать", + "Delete" : "Удалить", + "Manage tags" : "Управление метками", "Selection" : "Выбор", "Select all files" : "Выбрать все файлы", - "Deselect all files" : "Отменить выбор всех файлов", - "Select or deselect a file" : "Выберите или отмените выбор файла", - "Select a range of files" : "Выбрать диапазон файлов", + "Deselect all" : "Снять выбор со всех", "Navigation" : "Навигация", - "Navigate to the parent folder" : "Перейти к родительской папке", - "Navigate to the file above" : "Перейти к файлу выше", - "Navigate to the file below" : "Перейти к файлу ниже", - "Navigate to the file on the left (in grid mode)" : "Перейдите к файлу слева (в режиме сетки)", - "Navigate to the file on the right (in grid mode)" : "Перейдите к файлу справа (в режиме сетки)", "View" : "Режим просмотра", - "Toggle the grid view" : "Переключение вида сетки", - "Open the sidebar for a file" : "Откройте боковую панель для поиска файла", + "Toggle grid view" : "Включить или отключить режим просмотра сеткой", "Show those shortcuts" : "Показать ярлыки", "You" : "Вы", "Shared multiple times with different people" : "Делиться несколько раз с разными людьми", @@ -274,7 +251,6 @@ "Delete files" : "Удалить файлы", "Delete folder" : "Удалить папку", "Delete folders" : "Удалить папки", - "Delete" : "Удалить", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Вы собираетесь безвозвратно удалить {count} элемент","Вы собираетесь безвозвратно удалить {count} элемента","Вы собираетесь безвозвратно удалить {count} элементов","Вы собираетесь безвозвратно удалить {count} элементов"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Подтвердите удаление {count} объекта.","Подтвердите удаление {count} объектов","Подтвердите удаление {count} объектов","Подтвердите удаление {count} объектов"], "Confirm deletion" : "Подтвердить удаление", @@ -292,7 +268,6 @@ "The file does not exist anymore" : "Файл больше не существует", "Choose destination" : "Выберите место назначения", "Copy to {target}" : "Скопировать в «{target}»", - "Copy" : "Копировать", "Move to {target}" : "Переместить в «{target}»", "Move" : "Переместить", "Move or copy operation failed" : "Ошибка перемещение или копирования", @@ -305,8 +280,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Теперь файл должен открыться на вашем устройстве. Если это не произошло, пожалуйста, убедитесь, что у вас установлено настольное приложение.", "Retry and close" : "Повторить попытку и закрыть", "Open online" : "Открыть онлайн", - "Rename" : "Переименовать", - "Open details" : "Открыть подробности", + "Details" : "Подробно", "View in folder" : "Посмотреть в каталоге", "Today" : "Сегодня", "Last 7 days" : "Последние 7 дней", @@ -319,7 +293,7 @@ "PDFs" : "PDFs", "Folders" : "Папки", "Audio" : "Звук", - "Photos and images" : "Фотографии и изображения", + "Images" : "Изображения", "Videos" : "Видео", "Created new folder \"{name}\"" : "Создана новая папка \"{name}\"", "Unable to initialize the templates directory" : "Не удалось инициализировать каталог шаблонов", @@ -346,7 +320,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Имя \"{newName}\" уже используется в каталоге \"{dir}\". Выберите другое имя.", "Could not rename \"{oldName}\"" : "Не удалось переименовать «{oldName}»", "This operation is forbidden" : "Операция запрещена", - "This directory is unavailable, please check the logs or contact the administrator" : "Каталог недоступен. Проверьте журналы событий или свяжитесь с администратором", "Storage is temporarily not available" : "Хранилище временно недоступно", "Unexpected error: {error}" : "Неожиданная ошибка: {error}", "_%n file_::_%n files_" : ["%n файл","%n файла","%n файлов","%n файлов"], @@ -361,7 +334,6 @@ "No favorites yet" : "В избранное ещё ничего не добавлено ", "Files and folders you mark as favorite will show up here" : "Здесь будут показаны файлы и каталоги, отмеченные как избранные", "List of your files and folders." : "Список ваших файлов и каталогов.", - "Folder tree" : "Дерево папок", "List of your files and folders that are not shared." : "Список ваших неопубликованных файлов и папок.", "No personal files found" : "Личные файлы не найдены", "Files that are not shared will show up here." : "Файлы, которые не опубликованы, показаны здесь.", @@ -400,12 +372,12 @@ "Edit locally" : "Редактировать локально", "Open" : "Открыть", "Could not load info for file \"{file}\"" : "Не удаётся загрузить информацию для файла \"{file}\"", - "Details" : "Подробно", "Please select tag(s) to add to the selection" : "Выберите метки для назначения выбранным объектам", "Apply tag(s) to selection" : "Назначить метки выбранным объектам", "Select directory \"{dirName}\"" : "Выберите каталог \"{dirName}\"", "Select file \"{fileName}\"" : "Выберите файл \"{fileName}\"", "Unable to determine date" : "Невозможно определить дату", + "This directory is unavailable, please check the logs or contact the administrator" : "Каталог недоступен. Проверьте журналы событий или свяжитесь с администратором", "Could not move \"{file}\", target exists" : "Невозможно переместить файл «{file}», он уже существует в каталоге назначения", "Could not move \"{file}\"" : "Невозможно переместить файл «{file}»", "copy" : "копия", @@ -453,15 +425,24 @@ "Not favored" : "Не одобрен", "An error occurred while trying to update the tags" : "Во время обновления тегов возникла ошибка", "Upload (max. %s)" : "Загрузка (максимум %s)", + "\"{displayName}\" action executed successfully" : "Действие «{displayName}» выполнено успешно", + "\"{displayName}\" action failed" : "Действие «{displayName}» завершилось неудачно", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" не удалось выполнить некоторые элементы", + "\"{displayName}\" batch action executed successfully" : "Пакетное действие \"{displayName}\" выполнено успешно", "Submitting fields…" : "Отправка полей…", "Filter filenames…" : "Фильтровать имена файлов…", + "WebDAV URL copied to clipboard" : "Ссылка CalDAV скопирована в буфер обмена", "Enable the grid view" : "Включить режим просмотра сеткой", + "Enable folder tree" : "Включить дерево папок", + "Copy to clipboard" : "Копировать в буфер", "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" : "Копирование или перемещение отменено", + "Open details" : "Открыть подробности", + "Photos and images" : "Фотографии и изображения", "New folder creation cancelled" : "Создание новой папки отменено", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} папка","{folderCount} папки","{folderCount} папок","{folderCount} папки"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} файл","{fileCount} файла","{fileCount} файлов","{fileCount} файла"], @@ -475,6 +456,24 @@ "%1$s (renamed)" : "%1$s (переименовано)", "renamed file" : "переименованный файл", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "После включения совместимых с Windows названий файлов, существующие файлы нельзя будет изменить, но они могут быть переименованы их владельцем в допустимые новые имена.", - "Filter file names …" : "Фильтровать имена файлов…" + "Filter file names …" : "Фильтровать имена файлов…", + "Prevent warning dialogs from open or reenable them." : "Предотвратить открытие диалоговых окон с предупреждениями или включить их повторно.", + "Show a warning dialog when changing a file extension." : "Показать диалоговое окно предупреждения при изменении расширения файла.", + "Speed up your Files experience with these quick shortcuts." : "Ускорьте работу с файлами с помощью сочетаний клавиш.", + "Open the actions menu for a file" : "Открыть меню действий для файла", + "Rename a file" : "Переименовать файл", + "Delete a file" : "Удалить файл", + "Favorite or remove a file from favorites" : "Добавить или убрать из избранного ", + "Manage tags for a file" : "Управление тегами файла", + "Deselect all files" : "Отменить выбор всех файлов", + "Select or deselect a file" : "Выберите или отмените выбор файла", + "Select a range of files" : "Выбрать диапазон файлов", + "Navigate to the parent folder" : "Перейти к родительской папке", + "Navigate to the file above" : "Перейти к файлу выше", + "Navigate to the file below" : "Перейти к файлу ниже", + "Navigate to the file on the left (in grid mode)" : "Перейдите к файлу слева (в режиме сетки)", + "Navigate to the file on the right (in grid mode)" : "Перейдите к файлу справа (в режиме сетки)", + "Toggle the grid view" : "Переключение вида сетки", + "Open the sidebar for a file" : "Откройте боковую панель для поиска файла" },"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/l10n/sc.js b/apps/files/l10n/sc.js index 22c4dbe1312..dc6241260b4 100644 --- a/apps/files/l10n/sc.js +++ b/apps/files/l10n/sc.js @@ -76,7 +76,6 @@ OC.L10N.register( "(selected)" : "(seletzionados)", "List of files and folders." : "Lista de archìvios e cartellas.", "File not found" : "Archìviu no agatadu", - "Search globally" : "Chirca globale", "{usedQuotaByte} used" : "{usedQuotaByte} impreadu", "{used} of {quota} used" : "{used} de {quota} impreadu", "{relative}% used" : "{relative}% impreadu", @@ -115,21 +114,26 @@ OC.L10N.register( "Views" : "Visualizatziones", "Files settings" : "Cunfiguratziones de archìvios", "File cannot be accessed" : "Impossìbile atzèdere a s'archìviu", - "WebDAV URL copied to clipboard" : "URL WebDAV copiadu in punta de billete.", "All files" : "Totu is archìvios", "Personal files" : "Archìvios personales", "Sort favorites first" : "Assenta cun is preferidos in antis", "Sort folders before files" : "Assenta cun is cartellas in antis de is archìvios", + "Appearance" : "Aspetu", "Show hidden files" : "Mustra archìvios cuados", "Crop image previews" : "Retàllia anteprimas de s'immàgine", "Additional settings" : "Cunfiguratziones in agiunta", "WebDAV" : "WebDAV", "WebDAV URL" : "URL WebDAV", - "Copy to clipboard" : "Còpia in is punta de billete", + "Copy" : "Còpia", "Keyboard shortcuts" : "Curtziadòrgios de tecladu", + "Rename" : "Torra a numenare", + "Delete" : "Cantzella", + "Manage tags" : "Gesti etichetas", "Selection" : "Seletzione", + "Deselect all" : "Deseletziona totu", "Navigation" : "Navigatzione", "View" : "Visualiza", + "Toggle grid view" : "Càmbia a visualizatzione in mosàicu", "You" : "Tue", "Error while loading the file data" : "Errore in su carrigamentu de is datos de s'archìviu", "Remove from favorites" : "Boga dae preferidos", @@ -145,7 +149,6 @@ OC.L10N.register( "Delete and unshare" : "Cantzella e firma sa cumpartzidura", "Delete file" : "Cantzella archìviu", "Delete folder" : "Cantzella sa cartella", - "Delete" : "Cantzella", "Cancel" : "Annulla", "Download" : "Iscàrriga", "Destination is not a folder" : "Sa destinatzione no est una cartella", @@ -153,7 +156,6 @@ OC.L10N.register( "The file does not exist anymore" : "S'archìviu no esistit prus", "Choose destination" : "Sèbera unu destinu", "Copy to {target}" : "Còpia a {target}", - "Copy" : "Còpia", "Move to {target}" : "Tràmuda a {target}", "Move" : "Tràmuda", "Move or copy operation failed" : "Errore in s'operatzione de tràmuda o de còpia", @@ -162,14 +164,14 @@ OC.L10N.register( "Open in Files" : "Aberi in Archìvios", "Open locally" : "Aberi in locale", "Open file locally" : "Aberi s'archìviu in locale", - "Rename" : "Torra a numenare", - "Open details" : "Aberi is detàllios", + "Details" : "Detàllios", "View in folder" : "Visualiza in sa cartella", "Today" : "Oe ", "Last 7 days" : "Ùrtimas 7 dies", "Last 30 days" : "Ùrtimas 30 dies", "Documents" : "Documentos", "Folders" : "Cartellas", + "Images" : "Immàgines", "Videos" : "Vìdeos", "Created new folder \"{name}\"" : "Cartella noa \"{name}\" creada", "Unable to initialize the templates directory" : "Non faghet a initzializare sa cartella de is modellos", @@ -183,7 +185,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Su nùmene \"{newName}\" est giai impreadu in sa cartella \"{dir}\". Sèbera unu nùmene diferente.", "Could not rename \"{oldName}\"" : "Impossìbile torrare a numenare \"{oldName}\"", "This operation is forbidden" : "Custa operatzione no est permìtida", - "This directory is unavailable, please check the logs or contact the administrator" : "Custa cartella no est a disponimentu, controlla is informes o cuntata s'amministratzione", "Storage is temporarily not available" : "S'archiviatzione immoe no est a disponimentu", "_%n file_::_%n files_" : ["%n archìviu","%n archìvios"], "_%n folder_::_%n folders_" : ["%n cartella","%n cartellas"], @@ -225,12 +226,12 @@ OC.L10N.register( "Edit locally" : "Modìfica in locale", "Open" : "Aberi", "Could not load info for file \"{file}\"" : "No at fatu a carrigare informatziones de s'archìviu \"{file}\"", - "Details" : "Detàllios", "Please select tag(s) to add to the selection" : "Seletziona eticheta(s) pro agiùnghere a sa seletzione", "Apply tag(s) to selection" : "Àplica eticheta(s) a sa seletzione", "Select directory \"{dirName}\"" : "Seletziona sa cartella \"{dirName}\"", "Select file \"{fileName}\"" : "Seletziona s'archìviu \"{fileName}\"", "Unable to determine date" : "Non faghet a determinare sa data", + "This directory is unavailable, please check the logs or contact the administrator" : "Custa cartella no est a disponimentu, controlla is informes o cuntata s'amministratzione", "Could not move \"{file}\", target exists" : "No at fatu a tramudare \"{file}\", sa destinatzione esistit giai", "Could not move \"{file}\"" : "No at fatu a tramudare \"{file}\"", "copy" : "còpia", @@ -276,11 +277,14 @@ OC.L10N.register( "An error occurred while trying to update the tags" : "B'at àpidu un'errore proende a agiornare is etichetas", "Upload (max. %s)" : "Càrriga (max. %s)", "Filter filenames…" : "Filtra nùmenes de archìviu...", + "WebDAV URL copied to clipboard" : "URL WebDAV copiadu in punta de billete.", "Enable the grid view" : "Ativa sa visualizatzione de mosàicu", + "Copy to clipboard" : "Còpia in is punta de billete", "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", + "Open details" : "Aberi is detàllios", "_{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 77952941a88..9a43069dd7c 100644 --- a/apps/files/l10n/sc.json +++ b/apps/files/l10n/sc.json @@ -74,7 +74,6 @@ "(selected)" : "(seletzionados)", "List of files and folders." : "Lista de archìvios e cartellas.", "File not found" : "Archìviu no agatadu", - "Search globally" : "Chirca globale", "{usedQuotaByte} used" : "{usedQuotaByte} impreadu", "{used} of {quota} used" : "{used} de {quota} impreadu", "{relative}% used" : "{relative}% impreadu", @@ -113,21 +112,26 @@ "Views" : "Visualizatziones", "Files settings" : "Cunfiguratziones de archìvios", "File cannot be accessed" : "Impossìbile atzèdere a s'archìviu", - "WebDAV URL copied to clipboard" : "URL WebDAV copiadu in punta de billete.", "All files" : "Totu is archìvios", "Personal files" : "Archìvios personales", "Sort favorites first" : "Assenta cun is preferidos in antis", "Sort folders before files" : "Assenta cun is cartellas in antis de is archìvios", + "Appearance" : "Aspetu", "Show hidden files" : "Mustra archìvios cuados", "Crop image previews" : "Retàllia anteprimas de s'immàgine", "Additional settings" : "Cunfiguratziones in agiunta", "WebDAV" : "WebDAV", "WebDAV URL" : "URL WebDAV", - "Copy to clipboard" : "Còpia in is punta de billete", + "Copy" : "Còpia", "Keyboard shortcuts" : "Curtziadòrgios de tecladu", + "Rename" : "Torra a numenare", + "Delete" : "Cantzella", + "Manage tags" : "Gesti etichetas", "Selection" : "Seletzione", + "Deselect all" : "Deseletziona totu", "Navigation" : "Navigatzione", "View" : "Visualiza", + "Toggle grid view" : "Càmbia a visualizatzione in mosàicu", "You" : "Tue", "Error while loading the file data" : "Errore in su carrigamentu de is datos de s'archìviu", "Remove from favorites" : "Boga dae preferidos", @@ -143,7 +147,6 @@ "Delete and unshare" : "Cantzella e firma sa cumpartzidura", "Delete file" : "Cantzella archìviu", "Delete folder" : "Cantzella sa cartella", - "Delete" : "Cantzella", "Cancel" : "Annulla", "Download" : "Iscàrriga", "Destination is not a folder" : "Sa destinatzione no est una cartella", @@ -151,7 +154,6 @@ "The file does not exist anymore" : "S'archìviu no esistit prus", "Choose destination" : "Sèbera unu destinu", "Copy to {target}" : "Còpia a {target}", - "Copy" : "Còpia", "Move to {target}" : "Tràmuda a {target}", "Move" : "Tràmuda", "Move or copy operation failed" : "Errore in s'operatzione de tràmuda o de còpia", @@ -160,14 +162,14 @@ "Open in Files" : "Aberi in Archìvios", "Open locally" : "Aberi in locale", "Open file locally" : "Aberi s'archìviu in locale", - "Rename" : "Torra a numenare", - "Open details" : "Aberi is detàllios", + "Details" : "Detàllios", "View in folder" : "Visualiza in sa cartella", "Today" : "Oe ", "Last 7 days" : "Ùrtimas 7 dies", "Last 30 days" : "Ùrtimas 30 dies", "Documents" : "Documentos", "Folders" : "Cartellas", + "Images" : "Immàgines", "Videos" : "Vìdeos", "Created new folder \"{name}\"" : "Cartella noa \"{name}\" creada", "Unable to initialize the templates directory" : "Non faghet a initzializare sa cartella de is modellos", @@ -181,7 +183,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Su nùmene \"{newName}\" est giai impreadu in sa cartella \"{dir}\". Sèbera unu nùmene diferente.", "Could not rename \"{oldName}\"" : "Impossìbile torrare a numenare \"{oldName}\"", "This operation is forbidden" : "Custa operatzione no est permìtida", - "This directory is unavailable, please check the logs or contact the administrator" : "Custa cartella no est a disponimentu, controlla is informes o cuntata s'amministratzione", "Storage is temporarily not available" : "S'archiviatzione immoe no est a disponimentu", "_%n file_::_%n files_" : ["%n archìviu","%n archìvios"], "_%n folder_::_%n folders_" : ["%n cartella","%n cartellas"], @@ -223,12 +224,12 @@ "Edit locally" : "Modìfica in locale", "Open" : "Aberi", "Could not load info for file \"{file}\"" : "No at fatu a carrigare informatziones de s'archìviu \"{file}\"", - "Details" : "Detàllios", "Please select tag(s) to add to the selection" : "Seletziona eticheta(s) pro agiùnghere a sa seletzione", "Apply tag(s) to selection" : "Àplica eticheta(s) a sa seletzione", "Select directory \"{dirName}\"" : "Seletziona sa cartella \"{dirName}\"", "Select file \"{fileName}\"" : "Seletziona s'archìviu \"{fileName}\"", "Unable to determine date" : "Non faghet a determinare sa data", + "This directory is unavailable, please check the logs or contact the administrator" : "Custa cartella no est a disponimentu, controlla is informes o cuntata s'amministratzione", "Could not move \"{file}\", target exists" : "No at fatu a tramudare \"{file}\", sa destinatzione esistit giai", "Could not move \"{file}\"" : "No at fatu a tramudare \"{file}\"", "copy" : "còpia", @@ -274,11 +275,14 @@ "An error occurred while trying to update the tags" : "B'at àpidu un'errore proende a agiornare is etichetas", "Upload (max. %s)" : "Càrriga (max. %s)", "Filter filenames…" : "Filtra nùmenes de archìviu...", + "WebDAV URL copied to clipboard" : "URL WebDAV copiadu in punta de billete.", "Enable the grid view" : "Ativa sa visualizatzione de mosàicu", + "Copy to clipboard" : "Còpia in is punta de billete", "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", + "Open details" : "Aberi is detàllios", "_{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 031a78bfbef..6ab0806a099 100644 --- a/apps/files/l10n/sk.js +++ b/apps/files/l10n/sk.js @@ -107,9 +107,6 @@ OC.L10N.register( "Toggle selection for all files and folders" : "Prepnúť výber pre všetky súbory a adresáre", "Name" : "Názov", "Size" : "Veľkosť", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" zlyhalo na niektorých prvkoch.", - "\"{displayName}\" batch action executed successfully" : "Hromadná operácia \"{displayName}\" bola úspešne vykonaná", - "\"{displayName}\" action failed" : "\"{displayName}\" akcia zlýhala", "Actions" : "Akcie", "(selected)" : "(vybrané)", "List of files and folders." : "Zoznam súborov a priečinkov.", @@ -118,7 +115,6 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Tento zoznam nie je úplne vykreslený z dôvodov výkonu. Súbory budú vykreslené, keď budete prechádzať zoznamom.", "File not found" : "Súbor nenájdený", "_{count} selected_::_{count} selected_" : ["{count} vybraný","{count} vybrané","{count} vybraných","{count} vybraných"], - "Search globally" : "Hľadať globálne", "{usedQuotaByte} used" : "{usedQuotaByte} použitých", "{used} of {quota} used" : "použitých {used} z {quota}", "{relative}% used" : "{relative}% použitých", @@ -167,7 +163,6 @@ OC.L10N.register( "Error during upload: {message}" : "Chyba počas nahrávania: {message}", "Error during upload, status code {status}" : "Chyba počas nahrávania, chybový kód {status}", "Unknown error during upload" : "Neznáma chyba počas nahrávania", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" akcia vykonaná úspešne", "Loading current folder" : "Načítavanie súčasného priečinka", "Retry" : "Zopakovať", "No files in here" : "Nie sú tu žiadne súbory", @@ -180,42 +175,30 @@ OC.L10N.register( "File cannot be accessed" : "Súbor nie je možné sprístupniť", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Súbor sa nenašiel alebo nemáte oprávnenie na jeho zobrazenie. Požiadajte odosielateľa, aby ho sprístupnil.", "Clipboard is not available" : "Schránka nie je prístupná", - "WebDAV URL copied to clipboard" : "WebDAV URL skopirovaná do schránky", + "General" : "Všeobecné", "All files" : "Všetky súbory", "Personal files" : "Osobné súbory", "Sort favorites first" : "Zoradiť od najobľúbenejších", "Sort folders before files" : "Zoradiť adresáre pred súbormi", - "Enable folder tree" : "Povoliť adresárový strom", + "Appearance" : "Vzhľad", "Show hidden files" : "Zobraziť skryté súbory", "Crop image previews" : "Orezať náhľady obrázkov", "Additional settings" : "Ďalšie nastavenia", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Skopírovať do schránky", + "Copy" : "Kopírovať", "Warnings" : "Upozornenia", - "Prevent warning dialogs from open or reenable them." : "Zabrániť otváraniu varovných dialógov alebo ich znova povoliť.", - "Show a warning dialog when changing a file extension." : "Pri zmene prípony súboru zobraziť dialógové okno s upozornením.", "Keyboard shortcuts" : "Klávesové skratky", - "Speed up your Files experience with these quick shortcuts." : "Zrýchlite používanie Súborov využitím klávesových skratiek.", - "Open the actions menu for a file" : "Otvoriť menu akcií pre súbor", - "Rename a file" : "Premenovať súbor", - "Delete a file" : "Zmazať súbor", - "Favorite or remove a file from favorites" : "Pridať alebo odobrať súbor z obľúbených", - "Manage tags for a file" : "Spravovať štítky súborov", + "File actions" : "Akcie súboru", + "Rename" : "Premenovať", + "Delete" : "Zmazať", + "Manage tags" : "Spravovať štítky", "Selection" : "Výber", "Select all files" : "Vybrať všetky súbory", - "Deselect all files" : "Zrušiť výber všetkých súborov", - "Select or deselect a file" : "Vybrať alebo zrušiť výber súboru", - "Select a range of files" : "Vybrať viacero súborov", + "Deselect all" : "Odznačiť všetko", "Navigation" : "Navigácia", - "Navigate to the parent folder" : "Navigovať do nadradeného adresára", - "Navigate to the file above" : "Navigovať na predošlý súbor", - "Navigate to the file below" : "Navigovať na ďalší súbor", - "Navigate to the file on the left (in grid mode)" : "Navigovať na súbor vľavo (v režime zobrazenia v mriežke)", - "Navigate to the file on the right (in grid mode)" : "Navigovať na súbor vpravo (v režime zobrazenia v mriežke)", "View" : "Zobraziť", - "Toggle the grid view" : "Prepnúť na zobrazenie v mriežke", - "Open the sidebar for a file" : "Otvoriť bočný panel pre súbor", + "Toggle grid view" : "Prepnúť zobrazenie mriežky", "Show those shortcuts" : "Zobraziť klávesové skratky", "You" : "Vy", "Shared multiple times with different people" : "Zdieľané viackrát rôznymi ľuďmi", @@ -254,7 +237,6 @@ OC.L10N.register( "Delete files" : "Zmazať súbory", "Delete folder" : "Zmazať priečinok", "Delete folders" : "Zmazať priečinky", - "Delete" : "Zmazať", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Chystáte sa permanentne vymazať {count} položku","Chystáte sa permanentne vymazať {count} položky","Chystáte sa permanentne vymazať {count} položiek","Chystáte sa permanentne vymazať {count} položiek"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Chystáte sa vymazať {count} položku","Chystáte sa vymazať {count} položky","Chystáte sa vymazať {count} položiek","Chystáte sa vymazať {count} položiek"], "Confirm deletion" : "Potvrdiť vymazanie", @@ -272,7 +254,6 @@ OC.L10N.register( "The file does not exist anymore" : "Súbor už neexistuje", "Choose destination" : "Vyberte cieľ", "Copy to {target}" : "Kopírovať do {target}", - "Copy" : "Kopírovať", "Move to {target}" : "Presunúť do {target}", "Move" : "Presunúť", "Move or copy operation failed" : "Operácia presunu alebo kopírovania zlyhala", @@ -285,8 +266,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Súbor by sa mal teraz otvoriť v zariadení. Ak sa tak nestane, skontrolujte, či máte nainštalovanú aplikáciu pre počítače.", "Retry and close" : "Skúsiť znova a zatvoriť", "Open online" : "Otvoriť online", - "Rename" : "Premenovať", - "Open details" : "Otvoriť detaily", + "Details" : "Podrobnosti", "View in folder" : "Zobraziť v priečinku", "Today" : "Dnes", "Last 7 days" : "Posledných 7 dní", @@ -299,7 +279,7 @@ OC.L10N.register( "PDFs" : "PDFká", "Folders" : "Priečinky", "Audio" : "Zvuk", - "Photos and images" : "Fotky a obrázky", + "Images" : "Obrázky", "Videos" : "Videá", "Created new folder \"{name}\"" : "Vytvorený nový priečinok \"{name}\"", "Unable to initialize the templates directory" : "Nemôžem inicializovať priečinok so šablónami", @@ -325,7 +305,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Názov \"{newName}\" sa už používa v priečinku \"{dir}\". Vyberte prosím iný názov.", "Could not rename \"{oldName}\"" : "Nebolo možné premenovať \"{oldName}\"", "This operation is forbidden" : "Táto operácia je zakázaná", - "This directory is unavailable, please check the logs or contact the administrator" : "Priečinok je nedostupný, skontrolujte prosím logy, alebo kontaktujte správcu", "Storage is temporarily not available" : "Úložisko je dočasne nedostupné", "Unexpected error: {error}" : "Neočakávaná chyba: {error}", "_%n file_::_%n files_" : ["%n súbor","%n súbory","%n súborov","%n súborov"], @@ -376,12 +355,12 @@ OC.L10N.register( "Edit locally" : "Editovať lokálne", "Open" : "Otvoriť", "Could not load info for file \"{file}\"" : "Nebolo možné načítať informácie súboru \"{file}\"", - "Details" : "Podrobnosti", "Please select tag(s) to add to the selection" : "Prosím vyberte štítok (štítky) pre pridanie do výberu", "Apply tag(s) to selection" : "Aplikovať štítok(štítky) do výberu", "Select directory \"{dirName}\"" : "Vybrať priečinok \"{dirName}\"", "Select file \"{fileName}\"" : "Vybrať súbor \"{fileName}\"", "Unable to determine date" : "Nemožno určiť dátum", + "This directory is unavailable, please check the logs or contact the administrator" : "Priečinok je nedostupný, skontrolujte prosím logy, alebo kontaktujte správcu", "Could not move \"{file}\", target exists" : "Nie je možné presunúť \"{file}\", cieľ už existuje", "Could not move \"{file}\"" : "Nie je možné presunúť \"{file}\"", "copy" : "kópia", @@ -429,15 +408,24 @@ OC.L10N.register( "Not favored" : "Nie je v obľúbených", "An error occurred while trying to update the tags" : "Pri pokuse o aktualizáciu štítkov došlo k chybe", "Upload (max. %s)" : "Nahrať (max. %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" akcia vykonaná úspešne", + "\"{displayName}\" action failed" : "\"{displayName}\" akcia zlýhala", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" zlyhalo na niektorých prvkoch.", + "\"{displayName}\" batch action executed successfully" : "Hromadná operácia \"{displayName}\" bola úspešne vykonaná", "Submitting fields…" : "Položky sa odosielajú ...", "Filter filenames…" : "Filtrovať názvy súborov...", + "WebDAV URL copied to clipboard" : "WebDAV URL skopirovaná do schránky", "Enable the grid view" : "Povoliť zobrazenie v mriežke", + "Enable folder tree" : "Povoliť adresárový strom", + "Copy to clipboard" : "Skopírovať do schránky", "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", + "Open details" : "Otvoriť detaily", + "Photos and images" : "Fotky a obrázky", "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"], @@ -448,6 +436,24 @@ OC.L10N.register( "Personal Files" : "Osobné Súbory", "Text file" : "Textový súbor", "New text file.txt" : "Nový text file.txt", - "Filter file names …" : "Filtrovať názvy súborov ..." + "Filter file names …" : "Filtrovať názvy súborov ...", + "Prevent warning dialogs from open or reenable them." : "Zabrániť otváraniu varovných dialógov alebo ich znova povoliť.", + "Show a warning dialog when changing a file extension." : "Pri zmene prípony súboru zobraziť dialógové okno s upozornením.", + "Speed up your Files experience with these quick shortcuts." : "Zrýchlite používanie Súborov využitím klávesových skratiek.", + "Open the actions menu for a file" : "Otvoriť menu akcií pre súbor", + "Rename a file" : "Premenovať súbor", + "Delete a file" : "Zmazať súbor", + "Favorite or remove a file from favorites" : "Pridať alebo odobrať súbor z obľúbených", + "Manage tags for a file" : "Spravovať štítky súborov", + "Deselect all files" : "Zrušiť výber všetkých súborov", + "Select or deselect a file" : "Vybrať alebo zrušiť výber súboru", + "Select a range of files" : "Vybrať viacero súborov", + "Navigate to the parent folder" : "Navigovať do nadradeného adresára", + "Navigate to the file above" : "Navigovať na predošlý súbor", + "Navigate to the file below" : "Navigovať na ďalší súbor", + "Navigate to the file on the left (in grid mode)" : "Navigovať na súbor vľavo (v režime zobrazenia v mriežke)", + "Navigate to the file on the right (in grid mode)" : "Navigovať na súbor vpravo (v režime zobrazenia v mriežke)", + "Toggle the grid view" : "Prepnúť na zobrazenie v mriežke", + "Open the sidebar for a file" : "Otvoriť bočný panel pre súbor" }, "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/l10n/sk.json b/apps/files/l10n/sk.json index b20a26fb099..0a7e3e5d442 100644 --- a/apps/files/l10n/sk.json +++ b/apps/files/l10n/sk.json @@ -105,9 +105,6 @@ "Toggle selection for all files and folders" : "Prepnúť výber pre všetky súbory a adresáre", "Name" : "Názov", "Size" : "Veľkosť", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" zlyhalo na niektorých prvkoch.", - "\"{displayName}\" batch action executed successfully" : "Hromadná operácia \"{displayName}\" bola úspešne vykonaná", - "\"{displayName}\" action failed" : "\"{displayName}\" akcia zlýhala", "Actions" : "Akcie", "(selected)" : "(vybrané)", "List of files and folders." : "Zoznam súborov a priečinkov.", @@ -116,7 +113,6 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Tento zoznam nie je úplne vykreslený z dôvodov výkonu. Súbory budú vykreslené, keď budete prechádzať zoznamom.", "File not found" : "Súbor nenájdený", "_{count} selected_::_{count} selected_" : ["{count} vybraný","{count} vybrané","{count} vybraných","{count} vybraných"], - "Search globally" : "Hľadať globálne", "{usedQuotaByte} used" : "{usedQuotaByte} použitých", "{used} of {quota} used" : "použitých {used} z {quota}", "{relative}% used" : "{relative}% použitých", @@ -165,7 +161,6 @@ "Error during upload: {message}" : "Chyba počas nahrávania: {message}", "Error during upload, status code {status}" : "Chyba počas nahrávania, chybový kód {status}", "Unknown error during upload" : "Neznáma chyba počas nahrávania", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" akcia vykonaná úspešne", "Loading current folder" : "Načítavanie súčasného priečinka", "Retry" : "Zopakovať", "No files in here" : "Nie sú tu žiadne súbory", @@ -178,42 +173,30 @@ "File cannot be accessed" : "Súbor nie je možné sprístupniť", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Súbor sa nenašiel alebo nemáte oprávnenie na jeho zobrazenie. Požiadajte odosielateľa, aby ho sprístupnil.", "Clipboard is not available" : "Schránka nie je prístupná", - "WebDAV URL copied to clipboard" : "WebDAV URL skopirovaná do schránky", + "General" : "Všeobecné", "All files" : "Všetky súbory", "Personal files" : "Osobné súbory", "Sort favorites first" : "Zoradiť od najobľúbenejších", "Sort folders before files" : "Zoradiť adresáre pred súbormi", - "Enable folder tree" : "Povoliť adresárový strom", + "Appearance" : "Vzhľad", "Show hidden files" : "Zobraziť skryté súbory", "Crop image previews" : "Orezať náhľady obrázkov", "Additional settings" : "Ďalšie nastavenia", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Skopírovať do schránky", + "Copy" : "Kopírovať", "Warnings" : "Upozornenia", - "Prevent warning dialogs from open or reenable them." : "Zabrániť otváraniu varovných dialógov alebo ich znova povoliť.", - "Show a warning dialog when changing a file extension." : "Pri zmene prípony súboru zobraziť dialógové okno s upozornením.", "Keyboard shortcuts" : "Klávesové skratky", - "Speed up your Files experience with these quick shortcuts." : "Zrýchlite používanie Súborov využitím klávesových skratiek.", - "Open the actions menu for a file" : "Otvoriť menu akcií pre súbor", - "Rename a file" : "Premenovať súbor", - "Delete a file" : "Zmazať súbor", - "Favorite or remove a file from favorites" : "Pridať alebo odobrať súbor z obľúbených", - "Manage tags for a file" : "Spravovať štítky súborov", + "File actions" : "Akcie súboru", + "Rename" : "Premenovať", + "Delete" : "Zmazať", + "Manage tags" : "Spravovať štítky", "Selection" : "Výber", "Select all files" : "Vybrať všetky súbory", - "Deselect all files" : "Zrušiť výber všetkých súborov", - "Select or deselect a file" : "Vybrať alebo zrušiť výber súboru", - "Select a range of files" : "Vybrať viacero súborov", + "Deselect all" : "Odznačiť všetko", "Navigation" : "Navigácia", - "Navigate to the parent folder" : "Navigovať do nadradeného adresára", - "Navigate to the file above" : "Navigovať na predošlý súbor", - "Navigate to the file below" : "Navigovať na ďalší súbor", - "Navigate to the file on the left (in grid mode)" : "Navigovať na súbor vľavo (v režime zobrazenia v mriežke)", - "Navigate to the file on the right (in grid mode)" : "Navigovať na súbor vpravo (v režime zobrazenia v mriežke)", "View" : "Zobraziť", - "Toggle the grid view" : "Prepnúť na zobrazenie v mriežke", - "Open the sidebar for a file" : "Otvoriť bočný panel pre súbor", + "Toggle grid view" : "Prepnúť zobrazenie mriežky", "Show those shortcuts" : "Zobraziť klávesové skratky", "You" : "Vy", "Shared multiple times with different people" : "Zdieľané viackrát rôznymi ľuďmi", @@ -252,7 +235,6 @@ "Delete files" : "Zmazať súbory", "Delete folder" : "Zmazať priečinok", "Delete folders" : "Zmazať priečinky", - "Delete" : "Zmazať", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Chystáte sa permanentne vymazať {count} položku","Chystáte sa permanentne vymazať {count} položky","Chystáte sa permanentne vymazať {count} položiek","Chystáte sa permanentne vymazať {count} položiek"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Chystáte sa vymazať {count} položku","Chystáte sa vymazať {count} položky","Chystáte sa vymazať {count} položiek","Chystáte sa vymazať {count} položiek"], "Confirm deletion" : "Potvrdiť vymazanie", @@ -270,7 +252,6 @@ "The file does not exist anymore" : "Súbor už neexistuje", "Choose destination" : "Vyberte cieľ", "Copy to {target}" : "Kopírovať do {target}", - "Copy" : "Kopírovať", "Move to {target}" : "Presunúť do {target}", "Move" : "Presunúť", "Move or copy operation failed" : "Operácia presunu alebo kopírovania zlyhala", @@ -283,8 +264,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Súbor by sa mal teraz otvoriť v zariadení. Ak sa tak nestane, skontrolujte, či máte nainštalovanú aplikáciu pre počítače.", "Retry and close" : "Skúsiť znova a zatvoriť", "Open online" : "Otvoriť online", - "Rename" : "Premenovať", - "Open details" : "Otvoriť detaily", + "Details" : "Podrobnosti", "View in folder" : "Zobraziť v priečinku", "Today" : "Dnes", "Last 7 days" : "Posledných 7 dní", @@ -297,7 +277,7 @@ "PDFs" : "PDFká", "Folders" : "Priečinky", "Audio" : "Zvuk", - "Photos and images" : "Fotky a obrázky", + "Images" : "Obrázky", "Videos" : "Videá", "Created new folder \"{name}\"" : "Vytvorený nový priečinok \"{name}\"", "Unable to initialize the templates directory" : "Nemôžem inicializovať priečinok so šablónami", @@ -323,7 +303,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Názov \"{newName}\" sa už používa v priečinku \"{dir}\". Vyberte prosím iný názov.", "Could not rename \"{oldName}\"" : "Nebolo možné premenovať \"{oldName}\"", "This operation is forbidden" : "Táto operácia je zakázaná", - "This directory is unavailable, please check the logs or contact the administrator" : "Priečinok je nedostupný, skontrolujte prosím logy, alebo kontaktujte správcu", "Storage is temporarily not available" : "Úložisko je dočasne nedostupné", "Unexpected error: {error}" : "Neočakávaná chyba: {error}", "_%n file_::_%n files_" : ["%n súbor","%n súbory","%n súborov","%n súborov"], @@ -374,12 +353,12 @@ "Edit locally" : "Editovať lokálne", "Open" : "Otvoriť", "Could not load info for file \"{file}\"" : "Nebolo možné načítať informácie súboru \"{file}\"", - "Details" : "Podrobnosti", "Please select tag(s) to add to the selection" : "Prosím vyberte štítok (štítky) pre pridanie do výberu", "Apply tag(s) to selection" : "Aplikovať štítok(štítky) do výberu", "Select directory \"{dirName}\"" : "Vybrať priečinok \"{dirName}\"", "Select file \"{fileName}\"" : "Vybrať súbor \"{fileName}\"", "Unable to determine date" : "Nemožno určiť dátum", + "This directory is unavailable, please check the logs or contact the administrator" : "Priečinok je nedostupný, skontrolujte prosím logy, alebo kontaktujte správcu", "Could not move \"{file}\", target exists" : "Nie je možné presunúť \"{file}\", cieľ už existuje", "Could not move \"{file}\"" : "Nie je možné presunúť \"{file}\"", "copy" : "kópia", @@ -427,15 +406,24 @@ "Not favored" : "Nie je v obľúbených", "An error occurred while trying to update the tags" : "Pri pokuse o aktualizáciu štítkov došlo k chybe", "Upload (max. %s)" : "Nahrať (max. %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" akcia vykonaná úspešne", + "\"{displayName}\" action failed" : "\"{displayName}\" akcia zlýhala", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" zlyhalo na niektorých prvkoch.", + "\"{displayName}\" batch action executed successfully" : "Hromadná operácia \"{displayName}\" bola úspešne vykonaná", "Submitting fields…" : "Položky sa odosielajú ...", "Filter filenames…" : "Filtrovať názvy súborov...", + "WebDAV URL copied to clipboard" : "WebDAV URL skopirovaná do schránky", "Enable the grid view" : "Povoliť zobrazenie v mriežke", + "Enable folder tree" : "Povoliť adresárový strom", + "Copy to clipboard" : "Skopírovať do schránky", "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", + "Open details" : "Otvoriť detaily", + "Photos and images" : "Fotky a obrázky", "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"], @@ -446,6 +434,24 @@ "Personal Files" : "Osobné Súbory", "Text file" : "Textový súbor", "New text file.txt" : "Nový text file.txt", - "Filter file names …" : "Filtrovať názvy súborov ..." + "Filter file names …" : "Filtrovať názvy súborov ...", + "Prevent warning dialogs from open or reenable them." : "Zabrániť otváraniu varovných dialógov alebo ich znova povoliť.", + "Show a warning dialog when changing a file extension." : "Pri zmene prípony súboru zobraziť dialógové okno s upozornením.", + "Speed up your Files experience with these quick shortcuts." : "Zrýchlite používanie Súborov využitím klávesových skratiek.", + "Open the actions menu for a file" : "Otvoriť menu akcií pre súbor", + "Rename a file" : "Premenovať súbor", + "Delete a file" : "Zmazať súbor", + "Favorite or remove a file from favorites" : "Pridať alebo odobrať súbor z obľúbených", + "Manage tags for a file" : "Spravovať štítky súborov", + "Deselect all files" : "Zrušiť výber všetkých súborov", + "Select or deselect a file" : "Vybrať alebo zrušiť výber súboru", + "Select a range of files" : "Vybrať viacero súborov", + "Navigate to the parent folder" : "Navigovať do nadradeného adresára", + "Navigate to the file above" : "Navigovať na predošlý súbor", + "Navigate to the file below" : "Navigovať na ďalší súbor", + "Navigate to the file on the left (in grid mode)" : "Navigovať na súbor vľavo (v režime zobrazenia v mriežke)", + "Navigate to the file on the right (in grid mode)" : "Navigovať na súbor vpravo (v režime zobrazenia v mriežke)", + "Toggle the grid view" : "Prepnúť na zobrazenie v mriežke", + "Open the sidebar for a file" : "Otvoriť bočný panel pre súbor" },"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/l10n/sl.js b/apps/files/l10n/sl.js index ed488c681a7..fb06e6cb234 100644 --- a/apps/files/l10n/sl.js +++ b/apps/files/l10n/sl.js @@ -109,9 +109,6 @@ OC.L10N.register( "Toggle selection for all files and folders" : "Preklopi izbor za vse datoteke in mape", "Name" : "Ime", "Size" : "Velikost", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" ni uspel za nekatere elemente", - "\"{displayName}\" batch action executed successfully" : "Paketno dejanje »{displayName}« je uspešno izvedeno", - "\"{displayName}\" action failed" : "Dejanje »{displayName}« je spodletelo", "Actions" : "Dejanja", "(selected)" : "(izbrano)", "List of files and folders." : "Seznam datotek in map", @@ -119,7 +116,6 @@ OC.L10N.register( "Column headers with buttons are sortable." : "Naslove stolpcev z gumbi je mogoče sortirati.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Seznam datotek ni v celoti izpisan zaradi zagotavljanja hitrosti in odzivnosti sistema. Predmeti se bodo dopolnjevali med brskanjem.", "File not found" : "Datoteke ni mogoče najti", - "Search globally" : "Splošno iskanje", "{usedQuotaByte} used" : "Zasedeno {usedQuotaByte}", "{used} of {quota} used" : "V uporabi je {used} od {quota}", "{relative}% used" : "Zasedeno {relative} %", @@ -168,7 +164,6 @@ OC.L10N.register( "Error during upload: {message}" : "Napaka med nalaganjem: {message}", "Error during upload, status code {status}" : "Napaka med nalaganje s kodo stanja {status}", "Unknown error during upload" : "Med pošiljanjem je prišlo do neznane napake", - "\"{displayName}\" action executed successfully" : "Dejanje »{displayName}« je uspešno izvedeno", "Loading current folder" : "Poteka nalaganje trenutne mape", "Retry" : "Poskusi znova ", "No files in here" : "V mapi ni datotek", @@ -181,42 +176,29 @@ OC.L10N.register( "File cannot be accessed" : "Do datoteke dostop ni mogoč", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Datoteke ni bilo mogoče najti ali pa nimate ustreznih dovoljenj za ogled. Prosite pošiljatelja, da jo deli.", "Clipboard is not available" : "Odložišče ni na voljo", - "WebDAV URL copied to clipboard" : "Naslov URL WebDAV je kopiran v odložišče", + "General" : "Splošno", "All files" : "Vse datoteke", "Personal files" : "Osebne datoteke", "Sort favorites first" : "Razvrsti najprej priljubljene", "Sort folders before files" : "Razvrsti mape pred datotekami", - "Enable folder tree" : "Omogoči drevesno strukturo map", + "Appearance" : "Videz", "Show hidden files" : "Pokaži skrite datoteke", "Crop image previews" : "Obreži slike predogleda", "Additional settings" : "Dodatne nastavitve", "WebDAV" : "WebDAV", "WebDAV URL" : "Naslov URL WebDAV", - "Copy to clipboard" : "Kopiraj v odložišče", + "Copy" : "Kopiraj", "Warnings" : "Opozorila", - "Prevent warning dialogs from open or reenable them." : "Preprečite odpiranje dialogov z opozorili ali jih ponovno omogočite.", - "Show a warning dialog when changing a file extension." : "Prikaži opozorilo ob spreminjanju končnice datoteke.", "Keyboard shortcuts" : "Tipkovne bližnjice", - "Speed up your Files experience with these quick shortcuts." : "Pospešite uporabo upravljalnika Files s temi bližnjicami.", - "Open the actions menu for a file" : "Odpri meni dejanj za datoteko", - "Rename a file" : "Preimenuj datoteko", - "Delete a file" : "Izbriši datoteko", - "Favorite or remove a file from favorites" : "Označi ali odstrani koz priljubljeno", - "Manage tags for a file" : "Upravljanje oznak datoteke", + "Rename" : "Preimenuj", + "Delete" : "Izbriši", + "Manage tags" : "Upravljanje oznak", "Selection" : "Izbor", "Select all files" : "Izberi vse datoteke", - "Deselect all files" : "Ostrani izbor vseh datotek", - "Select or deselect a file" : "Izberi ali odstrani izbor datoteke", - "Select a range of files" : "Izbor obsega datotek", + "Deselect all" : "Odstrani celoten izbor", "Navigation" : "Krmarjenje", - "Navigate to the parent folder" : "Pojdi na nadrejeni imenik", - "Navigate to the file above" : "Pojdi na datoteko zgoraj", - "Navigate to the file below" : "Pojdi na doatoteko spodaj", - "Navigate to the file on the left (in grid mode)" : "Pojdi na datoteko na levi (v mrežnem načinu)", - "Navigate to the file on the right (in grid mode)" : "Pojdi na datoteko na desni (v mrežnem načinu)", "View" : "Pogled", - "Toggle the grid view" : "Preklopi mrežni način", - "Open the sidebar for a file" : "Odpri stranski pano datoteke", + "Toggle grid view" : "Preklopi mrežni pogled", "Show those shortcuts" : "Pokaži tipkovne bližnjice", "You" : "Jaz", "Shared multiple times with different people" : "V več souporabah z različnimi uporabniki", @@ -254,7 +236,6 @@ OC.L10N.register( "Delete files" : "Izbriši datoteke", "Delete folder" : "Izbriši mapo", "Delete folders" : "Izbriši mape", - "Delete" : "Izbriši", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Za stalno boste izbrisali {count} predmet","Za stalno boste izbrisali {count} predmeta","Za stalno boste izbrisali {count} predmete","Za stalno boste izbrisali {count} predmetov"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Izbrisali boste {count} predmet","Izbrisali boste {count} predmeta","Izbrisali boste {count} predmete","Izbrisali boste {count} predmetov"], "Confirm deletion" : "Potrdi brisanje", @@ -272,7 +253,6 @@ OC.L10N.register( "The file does not exist anymore" : "Datoteka ne obstaja več", "Choose destination" : "Izbor ciljnega mesta", "Copy to {target}" : "Kopiraj na {target}", - "Copy" : "Kopiraj", "Move to {target}" : "Premakni na {target}", "Move" : "Premakni", "Move or copy operation failed" : "Opravilo kopiranja oziroma premikanja je spodletelo", @@ -285,8 +265,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Datoteka bi se sedaj morala odpreti z vaše naprave. Če se to ne zgodi, preverite namestitev namizne aplikacije.", "Retry and close" : "Ponovno poskusi in zapri", "Open online" : "Odpri v brskalniku", - "Rename" : "Preimenuj", - "Open details" : "Odpri podrobnosti", + "Details" : "Podrobnosti", "View in folder" : "Pokaži v mapi", "Today" : "Danes", "Last 7 days" : "Zadnjih 7 dni", @@ -299,7 +278,7 @@ OC.L10N.register( "PDFs" : "Dokumenti PDF", "Folders" : "Mape", "Audio" : "Zvočni posnetek", - "Photos and images" : "Slike in fotografije", + "Images" : "Slike", "Videos" : "Video posnetki", "Created new folder \"{name}\"" : "Ustvarjena je nova mapa »{name}«.", "Unable to initialize the templates directory" : "Ni mogoče začeti mape predlog", @@ -325,7 +304,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Ime »{newName}« je v mapi »{dir}« že v uporabi. Izbrati je treba drugačno ime.", "Could not rename \"{oldName}\"" : "Datoteke »{oldName}« ni mogoče preimenovati", "This operation is forbidden" : "To dejanje ni dovoljeno!", - "This directory is unavailable, please check the logs or contact the administrator" : "Mapa ni na voljo. Preverite dnevnik in stopite v stik s skrbnikom sistema.", "Storage is temporarily not available" : "Shramba trenutno ni na voljo", "Unexpected error: {error}" : "Nepričakovana napaka: {error}", "_%n file_::_%n files_" : ["%n datoteka","%n datoteki","%n datoteke","%n datotek"], @@ -377,12 +355,12 @@ OC.L10N.register( "Edit locally" : "Uredi krajevno", "Open" : "Odpri", "Could not load info for file \"{file}\"" : "Ni mogoče naložiti podatkov za datoteko »{file}«.", - "Details" : "Podrobnosti", "Please select tag(s) to add to the selection" : "Izbrati je treba oznake za dodajanje k izbiri", "Apply tag(s) to selection" : "Poteka uveljavljanje oznak za izbiro", "Select directory \"{dirName}\"" : "Izberi mapo »{dirName}«", "Select file \"{fileName}\"" : "Izberi datoteko »{fileName}«.", "Unable to determine date" : "Ni mogoče določiti datuma", + "This directory is unavailable, please check the logs or contact the administrator" : "Mapa ni na voljo. Preverite dnevnik in stopite v stik s skrbnikom sistema.", "Could not move \"{file}\", target exists" : "Datoteke »{file}« ni mogoče premakniti, ker na ciljnem mestu z istim imenom že obstaja.", "Could not move \"{file}\"" : "Datoteke »{file}« ni mogoče premakniti", "copy" : "kopija", @@ -428,15 +406,24 @@ OC.L10N.register( "Upload file" : "Pošlji datoteko", "An error occurred while trying to update the tags" : "Prišlo je do napake med posodabljanjem oznak", "Upload (max. %s)" : "Pošiljanje (omejitev %s)", + "\"{displayName}\" action executed successfully" : "Dejanje »{displayName}« je uspešno izvedeno", + "\"{displayName}\" action failed" : "Dejanje »{displayName}« je spodletelo", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" ni uspel za nekatere elemente", + "\"{displayName}\" batch action executed successfully" : "Paketno dejanje »{displayName}« je uspešno izvedeno", "Submitting fields…" : "Poteka objavljanje vsebine polj ...", "Filter filenames…" : "Filtriraj imena datotek ...", + "WebDAV URL copied to clipboard" : "Naslov URL WebDAV je kopiran v odložišče", "Enable the grid view" : "Omogoči mrežni pogled", + "Enable folder tree" : "Omogoči drevesno strukturo map", + "Copy to clipboard" : "Kopiraj v odložišče", "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", + "Open details" : "Odpri podrobnosti", + "Photos and images" : "Slike in fotografije", "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"], @@ -447,6 +434,24 @@ OC.L10N.register( "Personal Files" : "Osebne datoteke", "Text file" : "Besedilna datoteka", "New text file.txt" : "nova_datoteka.txt", - "Filter file names …" : "Filtriraj imena datotek..." + "Filter file names …" : "Filtriraj imena datotek...", + "Prevent warning dialogs from open or reenable them." : "Preprečite odpiranje dialogov z opozorili ali jih ponovno omogočite.", + "Show a warning dialog when changing a file extension." : "Prikaži opozorilo ob spreminjanju končnice datoteke.", + "Speed up your Files experience with these quick shortcuts." : "Pospešite uporabo upravljalnika Files s temi bližnjicami.", + "Open the actions menu for a file" : "Odpri meni dejanj za datoteko", + "Rename a file" : "Preimenuj datoteko", + "Delete a file" : "Izbriši datoteko", + "Favorite or remove a file from favorites" : "Označi ali odstrani koz priljubljeno", + "Manage tags for a file" : "Upravljanje oznak datoteke", + "Deselect all files" : "Ostrani izbor vseh datotek", + "Select or deselect a file" : "Izberi ali odstrani izbor datoteke", + "Select a range of files" : "Izbor obsega datotek", + "Navigate to the parent folder" : "Pojdi na nadrejeni imenik", + "Navigate to the file above" : "Pojdi na datoteko zgoraj", + "Navigate to the file below" : "Pojdi na doatoteko spodaj", + "Navigate to the file on the left (in grid mode)" : "Pojdi na datoteko na levi (v mrežnem načinu)", + "Navigate to the file on the right (in grid mode)" : "Pojdi na datoteko na desni (v mrežnem načinu)", + "Toggle the grid view" : "Preklopi mrežni način", + "Open the sidebar for a file" : "Odpri stranski pano datoteke" }, "nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"); diff --git a/apps/files/l10n/sl.json b/apps/files/l10n/sl.json index 60bf63aa5e1..13547704207 100644 --- a/apps/files/l10n/sl.json +++ b/apps/files/l10n/sl.json @@ -107,9 +107,6 @@ "Toggle selection for all files and folders" : "Preklopi izbor za vse datoteke in mape", "Name" : "Ime", "Size" : "Velikost", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" ni uspel za nekatere elemente", - "\"{displayName}\" batch action executed successfully" : "Paketno dejanje »{displayName}« je uspešno izvedeno", - "\"{displayName}\" action failed" : "Dejanje »{displayName}« je spodletelo", "Actions" : "Dejanja", "(selected)" : "(izbrano)", "List of files and folders." : "Seznam datotek in map", @@ -117,7 +114,6 @@ "Column headers with buttons are sortable." : "Naslove stolpcev z gumbi je mogoče sortirati.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Seznam datotek ni v celoti izpisan zaradi zagotavljanja hitrosti in odzivnosti sistema. Predmeti se bodo dopolnjevali med brskanjem.", "File not found" : "Datoteke ni mogoče najti", - "Search globally" : "Splošno iskanje", "{usedQuotaByte} used" : "Zasedeno {usedQuotaByte}", "{used} of {quota} used" : "V uporabi je {used} od {quota}", "{relative}% used" : "Zasedeno {relative} %", @@ -166,7 +162,6 @@ "Error during upload: {message}" : "Napaka med nalaganjem: {message}", "Error during upload, status code {status}" : "Napaka med nalaganje s kodo stanja {status}", "Unknown error during upload" : "Med pošiljanjem je prišlo do neznane napake", - "\"{displayName}\" action executed successfully" : "Dejanje »{displayName}« je uspešno izvedeno", "Loading current folder" : "Poteka nalaganje trenutne mape", "Retry" : "Poskusi znova ", "No files in here" : "V mapi ni datotek", @@ -179,42 +174,29 @@ "File cannot be accessed" : "Do datoteke dostop ni mogoč", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Datoteke ni bilo mogoče najti ali pa nimate ustreznih dovoljenj za ogled. Prosite pošiljatelja, da jo deli.", "Clipboard is not available" : "Odložišče ni na voljo", - "WebDAV URL copied to clipboard" : "Naslov URL WebDAV je kopiran v odložišče", + "General" : "Splošno", "All files" : "Vse datoteke", "Personal files" : "Osebne datoteke", "Sort favorites first" : "Razvrsti najprej priljubljene", "Sort folders before files" : "Razvrsti mape pred datotekami", - "Enable folder tree" : "Omogoči drevesno strukturo map", + "Appearance" : "Videz", "Show hidden files" : "Pokaži skrite datoteke", "Crop image previews" : "Obreži slike predogleda", "Additional settings" : "Dodatne nastavitve", "WebDAV" : "WebDAV", "WebDAV URL" : "Naslov URL WebDAV", - "Copy to clipboard" : "Kopiraj v odložišče", + "Copy" : "Kopiraj", "Warnings" : "Opozorila", - "Prevent warning dialogs from open or reenable them." : "Preprečite odpiranje dialogov z opozorili ali jih ponovno omogočite.", - "Show a warning dialog when changing a file extension." : "Prikaži opozorilo ob spreminjanju končnice datoteke.", "Keyboard shortcuts" : "Tipkovne bližnjice", - "Speed up your Files experience with these quick shortcuts." : "Pospešite uporabo upravljalnika Files s temi bližnjicami.", - "Open the actions menu for a file" : "Odpri meni dejanj za datoteko", - "Rename a file" : "Preimenuj datoteko", - "Delete a file" : "Izbriši datoteko", - "Favorite or remove a file from favorites" : "Označi ali odstrani koz priljubljeno", - "Manage tags for a file" : "Upravljanje oznak datoteke", + "Rename" : "Preimenuj", + "Delete" : "Izbriši", + "Manage tags" : "Upravljanje oznak", "Selection" : "Izbor", "Select all files" : "Izberi vse datoteke", - "Deselect all files" : "Ostrani izbor vseh datotek", - "Select or deselect a file" : "Izberi ali odstrani izbor datoteke", - "Select a range of files" : "Izbor obsega datotek", + "Deselect all" : "Odstrani celoten izbor", "Navigation" : "Krmarjenje", - "Navigate to the parent folder" : "Pojdi na nadrejeni imenik", - "Navigate to the file above" : "Pojdi na datoteko zgoraj", - "Navigate to the file below" : "Pojdi na doatoteko spodaj", - "Navigate to the file on the left (in grid mode)" : "Pojdi na datoteko na levi (v mrežnem načinu)", - "Navigate to the file on the right (in grid mode)" : "Pojdi na datoteko na desni (v mrežnem načinu)", "View" : "Pogled", - "Toggle the grid view" : "Preklopi mrežni način", - "Open the sidebar for a file" : "Odpri stranski pano datoteke", + "Toggle grid view" : "Preklopi mrežni pogled", "Show those shortcuts" : "Pokaži tipkovne bližnjice", "You" : "Jaz", "Shared multiple times with different people" : "V več souporabah z različnimi uporabniki", @@ -252,7 +234,6 @@ "Delete files" : "Izbriši datoteke", "Delete folder" : "Izbriši mapo", "Delete folders" : "Izbriši mape", - "Delete" : "Izbriši", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Za stalno boste izbrisali {count} predmet","Za stalno boste izbrisali {count} predmeta","Za stalno boste izbrisali {count} predmete","Za stalno boste izbrisali {count} predmetov"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Izbrisali boste {count} predmet","Izbrisali boste {count} predmeta","Izbrisali boste {count} predmete","Izbrisali boste {count} predmetov"], "Confirm deletion" : "Potrdi brisanje", @@ -270,7 +251,6 @@ "The file does not exist anymore" : "Datoteka ne obstaja več", "Choose destination" : "Izbor ciljnega mesta", "Copy to {target}" : "Kopiraj na {target}", - "Copy" : "Kopiraj", "Move to {target}" : "Premakni na {target}", "Move" : "Premakni", "Move or copy operation failed" : "Opravilo kopiranja oziroma premikanja je spodletelo", @@ -283,8 +263,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Datoteka bi se sedaj morala odpreti z vaše naprave. Če se to ne zgodi, preverite namestitev namizne aplikacije.", "Retry and close" : "Ponovno poskusi in zapri", "Open online" : "Odpri v brskalniku", - "Rename" : "Preimenuj", - "Open details" : "Odpri podrobnosti", + "Details" : "Podrobnosti", "View in folder" : "Pokaži v mapi", "Today" : "Danes", "Last 7 days" : "Zadnjih 7 dni", @@ -297,7 +276,7 @@ "PDFs" : "Dokumenti PDF", "Folders" : "Mape", "Audio" : "Zvočni posnetek", - "Photos and images" : "Slike in fotografije", + "Images" : "Slike", "Videos" : "Video posnetki", "Created new folder \"{name}\"" : "Ustvarjena je nova mapa »{name}«.", "Unable to initialize the templates directory" : "Ni mogoče začeti mape predlog", @@ -323,7 +302,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Ime »{newName}« je v mapi »{dir}« že v uporabi. Izbrati je treba drugačno ime.", "Could not rename \"{oldName}\"" : "Datoteke »{oldName}« ni mogoče preimenovati", "This operation is forbidden" : "To dejanje ni dovoljeno!", - "This directory is unavailable, please check the logs or contact the administrator" : "Mapa ni na voljo. Preverite dnevnik in stopite v stik s skrbnikom sistema.", "Storage is temporarily not available" : "Shramba trenutno ni na voljo", "Unexpected error: {error}" : "Nepričakovana napaka: {error}", "_%n file_::_%n files_" : ["%n datoteka","%n datoteki","%n datoteke","%n datotek"], @@ -375,12 +353,12 @@ "Edit locally" : "Uredi krajevno", "Open" : "Odpri", "Could not load info for file \"{file}\"" : "Ni mogoče naložiti podatkov za datoteko »{file}«.", - "Details" : "Podrobnosti", "Please select tag(s) to add to the selection" : "Izbrati je treba oznake za dodajanje k izbiri", "Apply tag(s) to selection" : "Poteka uveljavljanje oznak za izbiro", "Select directory \"{dirName}\"" : "Izberi mapo »{dirName}«", "Select file \"{fileName}\"" : "Izberi datoteko »{fileName}«.", "Unable to determine date" : "Ni mogoče določiti datuma", + "This directory is unavailable, please check the logs or contact the administrator" : "Mapa ni na voljo. Preverite dnevnik in stopite v stik s skrbnikom sistema.", "Could not move \"{file}\", target exists" : "Datoteke »{file}« ni mogoče premakniti, ker na ciljnem mestu z istim imenom že obstaja.", "Could not move \"{file}\"" : "Datoteke »{file}« ni mogoče premakniti", "copy" : "kopija", @@ -426,15 +404,24 @@ "Upload file" : "Pošlji datoteko", "An error occurred while trying to update the tags" : "Prišlo je do napake med posodabljanjem oznak", "Upload (max. %s)" : "Pošiljanje (omejitev %s)", + "\"{displayName}\" action executed successfully" : "Dejanje »{displayName}« je uspešno izvedeno", + "\"{displayName}\" action failed" : "Dejanje »{displayName}« je spodletelo", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" ni uspel za nekatere elemente", + "\"{displayName}\" batch action executed successfully" : "Paketno dejanje »{displayName}« je uspešno izvedeno", "Submitting fields…" : "Poteka objavljanje vsebine polj ...", "Filter filenames…" : "Filtriraj imena datotek ...", + "WebDAV URL copied to clipboard" : "Naslov URL WebDAV je kopiran v odložišče", "Enable the grid view" : "Omogoči mrežni pogled", + "Enable folder tree" : "Omogoči drevesno strukturo map", + "Copy to clipboard" : "Kopiraj v odložišče", "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", + "Open details" : "Odpri podrobnosti", + "Photos and images" : "Slike in fotografije", "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"], @@ -445,6 +432,24 @@ "Personal Files" : "Osebne datoteke", "Text file" : "Besedilna datoteka", "New text file.txt" : "nova_datoteka.txt", - "Filter file names …" : "Filtriraj imena datotek..." + "Filter file names …" : "Filtriraj imena datotek...", + "Prevent warning dialogs from open or reenable them." : "Preprečite odpiranje dialogov z opozorili ali jih ponovno omogočite.", + "Show a warning dialog when changing a file extension." : "Prikaži opozorilo ob spreminjanju končnice datoteke.", + "Speed up your Files experience with these quick shortcuts." : "Pospešite uporabo upravljalnika Files s temi bližnjicami.", + "Open the actions menu for a file" : "Odpri meni dejanj za datoteko", + "Rename a file" : "Preimenuj datoteko", + "Delete a file" : "Izbriši datoteko", + "Favorite or remove a file from favorites" : "Označi ali odstrani koz priljubljeno", + "Manage tags for a file" : "Upravljanje oznak datoteke", + "Deselect all files" : "Ostrani izbor vseh datotek", + "Select or deselect a file" : "Izberi ali odstrani izbor datoteke", + "Select a range of files" : "Izbor obsega datotek", + "Navigate to the parent folder" : "Pojdi na nadrejeni imenik", + "Navigate to the file above" : "Pojdi na datoteko zgoraj", + "Navigate to the file below" : "Pojdi na doatoteko spodaj", + "Navigate to the file on the left (in grid mode)" : "Pojdi na datoteko na levi (v mrežnem načinu)", + "Navigate to the file on the right (in grid mode)" : "Pojdi na datoteko na desni (v mrežnem načinu)", + "Toggle the grid view" : "Preklopi mrežni način", + "Open the sidebar for a file" : "Odpri stranski pano datoteke" },"pluralForm" :"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);" }
\ No newline at end of file diff --git a/apps/files/l10n/sr.js b/apps/files/l10n/sr.js index dca664cab0f..da03fc7ccc4 100644 --- a/apps/files/l10n/sr.js +++ b/apps/files/l10n/sr.js @@ -115,9 +115,6 @@ OC.L10N.register( "Name" : "Назив", "File type" : "Тип фајла", "Size" : "Величина", - "\"{displayName}\" failed on some elements" : "„{displayName}” није успело на неким елементима", - "\"{displayName}\" batch action executed successfully" : "Пакетна акција „{displayName}” се успешно извршила", - "\"{displayName}\" action failed" : "Акција „{displayName}” није успела", "Actions" : "Радње", "(selected)" : "(изабрано)", "List of files and folders." : "Листа фајлова и фолдера.", @@ -126,11 +123,7 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Ова листа није у потпуности приказана из разлога перформанси. Фајлови ће се приказивати како се крећете кроз листу.", "File not found" : "Фајл није нађен", "_{count} selected_::_{count} selected_" : ["изабран је {count}","изабрана су {count}","изабрано је {count}"], - "Search globally by filename …" : "Претражи глобално по имену фајла…", - "Search here by filename …" : "Претражи овде по имену фајла…", "Search scope options" : "Опције опсега претраге", - "Filter and search from this location" : "Филтрирај и претражи од ове локације", - "Search globally" : "Претражите глобално", "{usedQuotaByte} used" : "{usedQuotaByte} искоришћено", "{used} of {quota} used" : "{used} од {quota} искоришћено", "{relative}% used" : "{relative}% искоришћено", @@ -179,7 +172,6 @@ OC.L10N.register( "Error during upload: {message}" : "Грешка при отпремању: {message}", "Error during upload, status code {status}" : "Грешка приликом отпремања, кôд статуса {status}", "Unknown error during upload" : "Непозната грешка током отпремања", - "\"{displayName}\" action executed successfully" : "Акција „{displayName}” је успешно извршена", "Loading current folder" : "Учитавање текућег фолдера", "Retry" : "Покушај поново", "No files in here" : "Овде нема фајлова", @@ -194,45 +186,32 @@ OC.L10N.register( "No search results for “{query}”" : "Није нађен ниједан резултат за „{query}”", "Search for files" : "Претражи фајлове", "Clipboard is not available" : "Клипборд није доступан", - "WebDAV URL copied to clipboard" : "WebDAV URL је копиран у клипборд", + "General" : "Опште", "Default view" : "Подразумевани поглед", "All files" : "Сви фајлови", "Personal files" : "Лични фајлови", "Sort favorites first" : "Сортирај прво омиљене", "Sort folders before files" : "Поређај фолдере испред фајлова", - "Enable folder tree" : "Укључи стабло фолдера", + "Appearance" : "Изглед", "Show hidden files" : "Прикажи скривене фајлове", "Show file type column" : "Прикажи колону са типом фајла", "Crop image previews" : "Опсецање прегледа слика", "Additional settings" : "Додатне поставке", "WebDAV" : "ВебДАВ", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Копирај у оставу", + "Copy" : "Копирај", "Warnings" : "Упозорења", - "Prevent warning dialogs from open or reenable them." : "Спречава да се дијалози упозорења отворе или да се поново укључе.", - "Show a warning dialog when changing a file extension." : "Прикажи дијалог упозорења када се мења екстензија фајла.", - "Show a warning dialog when deleting files." : "Прикажи дијалог упозорења када се бришу фајлови.", "Keyboard shortcuts" : "Пречице на тастатури", - "Speed up your Files experience with these quick shortcuts." : "Убрзајте рад у апликацији Фајлови следећим брзим пречицама.", - "Open the actions menu for a file" : "Отвори мени са акцијама над фајлом", - "Rename a file" : "Промени име фајла", - "Delete a file" : "Обриши фајл", - "Favorite or remove a file from favorites" : "Постави или уклони из омиљених", - "Manage tags for a file" : "Управљај ознакама фајла", + "File actions" : "Фајл акције", + "Rename" : "Преименуј", + "Delete" : "Обриши", + "Manage tags" : "Управљање ознакама", "Selection" : "Избор", "Select all files" : "Изабери све фајлове", - "Deselect all files" : "Уклони избор са свих фајлова", - "Select or deselect a file" : "Изабери фајл или уклони избор фајла", - "Select a range of files" : "Изабери опсег фајлова", + "Deselect all" : "Поништи цео избор", "Navigation" : "Навигација", - "Navigate to the parent folder" : "Пређи на фолдер родитељ", - "Navigate to the file above" : "Пређи на фајл изнад", - "Navigate to the file below" : "Пређи на фајл испод", - "Navigate to the file on the left (in grid mode)" : "Пређи на фајл са леве стране (у режиму мреже)", - "Navigate to the file on the right (in grid mode)" : "Пређи на фајл са десне стране (у режиму мреже)", "View" : "Погледај", - "Toggle the grid view" : "Укључи/искључи приказ мреже", - "Open the sidebar for a file" : "Отвори у бочни панел за фајл", + "Toggle grid view" : "Укључи/искључи приказ мреже", "Show those shortcuts" : "Прикажи те пречице", "You" : "Ви", "Shared multiple times with different people" : "Дељено више пута са разним људима", @@ -271,7 +250,6 @@ OC.L10N.register( "Delete files" : "Обриши фајлове", "Delete folder" : "Обрши фолдер", "Delete folders" : "Обриши фолдере", - "Delete" : "Обриши", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Управо ћете неповратно обрисати {count} ставку","Управо ћете неповратно обрисати {count} ставке","Управо ћете неповратно обрисати {count} ставки"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Управо ћете обрисати {count} ставку","Управо ћете обрисати {count} ставке","Управо ћете обрисати {count} ставки"], "Confirm deletion" : "Потврди брисање", @@ -289,7 +267,6 @@ OC.L10N.register( "The file does not exist anymore" : "Фајл више не постоји", "Choose destination" : "Изаберите одредиште", "Copy to {target}" : "Копирај у {target}", - "Copy" : "Копирај", "Move to {target}" : "Премести у {target}", "Move" : "Помери", "Move or copy operation failed" : "Није успела операција премештања или копирања", @@ -302,8 +279,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Фајл би сада требало да се отвори на вашем уређају. Ако се не отвори, проверите да ли сте инсталирали декстоп апликацију.", "Retry and close" : "Покушај поново и затвори", "Open online" : "Отвори на мрежи", - "Rename" : "Преименуј", - "Open details" : "Отвори детаље", + "Details" : "Детаљи", "View in folder" : "Види у фасцикли", "Today" : "Данас", "Last 7 days" : "Последњих 7 дана", @@ -316,7 +292,7 @@ OC.L10N.register( "PDFs" : "PDF фајлови", "Folders" : "Фолдери", "Audio" : "Звук", - "Photos and images" : "Фотографије и слике", + "Images" : "Слике", "Videos" : "Видео снимци", "Created new folder \"{name}\"" : "Креиран је нови фолдер „{name}”", "Unable to initialize the templates directory" : "Фолдер са шаблонима није могао да се иницијализује", @@ -342,7 +318,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Назив „{newName}” се већ користи у директоријуму „{dir}”. Молимо вас да изаберете неко друго име.", "Could not rename \"{oldName}\"" : "Не може да се промени име фајла „{oldName}”", "This operation is forbidden" : "Ова радња је забрањена", - "This directory is unavailable, please check the logs or contact the administrator" : "Овај директоријум није доступан, проверите дневник или контактирајте администратора", "Storage is temporarily not available" : "Складиште привремено није доступно", "Unexpected error: {error}" : "Неочекивана грешка: {error}", "_%n file_::_%n files_" : ["%n фајл","%n фајла","%n фајлова"], @@ -395,12 +370,12 @@ OC.L10N.register( "Edit locally" : "Уреди локално", "Open" : "Отвори", "Could not load info for file \"{file}\"" : "Не могу да учитам информације фајла „{file}“", - "Details" : "Детаљи", "Please select tag(s) to add to the selection" : "Молимо вас да изаберете ознаку (или више њих) која треба да се дода избору", "Apply tag(s) to selection" : "Примени ознаку (или више њих) на избор", "Select directory \"{dirName}\"" : "Избор директоријума „{dirName}", "Select file \"{fileName}\"" : "Избор фајла „{fileName}”", "Unable to determine date" : "Не могу да одредим датум", + "This directory is unavailable, please check the logs or contact the administrator" : "Овај директоријум није доступан, проверите дневник или контактирајте администратора", "Could not move \"{file}\", target exists" : "Не могу да преместим „{file}“. Одредиште већ постоји", "Could not move \"{file}\"" : "Не могу да преместим „{file}“", "copy" : "копиран", @@ -448,15 +423,24 @@ OC.L10N.register( "Not favored" : "Ненаклоњен", "An error occurred while trying to update the tags" : "Дошло је до грешке при покушају ажурирања ознака", "Upload (max. %s)" : "Отпремање (макс. %s)", + "\"{displayName}\" action executed successfully" : "Акција „{displayName}” је успешно извршена", + "\"{displayName}\" action failed" : "Акција „{displayName}” није успела", + "\"{displayName}\" failed on some elements" : "„{displayName}” није успело на неким елементима", + "\"{displayName}\" batch action executed successfully" : "Пакетна акција „{displayName}” се успешно извршила", "Submitting fields…" : "Поља се подносе…", "Filter filenames…" : "Филтрирање имена фајлова…", + "WebDAV URL copied to clipboard" : "WebDAV URL је копиран у клипборд", "Enable the grid view" : "Укључи приказ мреже", + "Enable folder tree" : "Укључи стабло фолдера", + "Copy to clipboard" : "Копирај у оставу", "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" : "Операција премештања или копирања је отказана", + "Open details" : "Отвори детаље", + "Photos and images" : "Фотографије и слике", "New folder creation cancelled" : "Отказане је креирање новог фолдера", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} фолдер","{folderCount} фолдера","{folderCount} фолдера"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} фајл","{fileCount} фајла","{fileCount} фајлова"], @@ -470,6 +454,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (преименован)", "renamed file" : "преименован фајл", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Када се укључе windows компатибилна имена фајлова, постојећи фајлови се више неће моћи мењати, али њихов власник може да им промени име на исправно ново име.", - "Filter file names …" : "Филтрирање имена фајлова…" + "Filter file names …" : "Филтрирање имена фајлова…", + "Prevent warning dialogs from open or reenable them." : "Спречава да се дијалози упозорења отворе или да се поново укључе.", + "Show a warning dialog when changing a file extension." : "Прикажи дијалог упозорења када се мења екстензија фајла.", + "Speed up your Files experience with these quick shortcuts." : "Убрзајте рад у апликацији Фајлови следећим брзим пречицама.", + "Open the actions menu for a file" : "Отвори мени са акцијама над фајлом", + "Rename a file" : "Промени име фајла", + "Delete a file" : "Обриши фајл", + "Favorite or remove a file from favorites" : "Постави или уклони из омиљених", + "Manage tags for a file" : "Управљај ознакама фајла", + "Deselect all files" : "Уклони избор са свих фајлова", + "Select or deselect a file" : "Изабери фајл или уклони избор фајла", + "Select a range of files" : "Изабери опсег фајлова", + "Navigate to the parent folder" : "Пређи на фолдер родитељ", + "Navigate to the file above" : "Пређи на фајл изнад", + "Navigate to the file below" : "Пређи на фајл испод", + "Navigate to the file on the left (in grid mode)" : "Пређи на фајл са леве стране (у режиму мреже)", + "Navigate to the file on the right (in grid mode)" : "Пређи на фајл са десне стране (у режиму мреже)", + "Toggle the grid view" : "Укључи/искључи приказ мреже", + "Open the sidebar for a file" : "Отвори у бочни панел за фајл" }, "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/l10n/sr.json b/apps/files/l10n/sr.json index b1cadb992d8..b97d3ffc9b0 100644 --- a/apps/files/l10n/sr.json +++ b/apps/files/l10n/sr.json @@ -113,9 +113,6 @@ "Name" : "Назив", "File type" : "Тип фајла", "Size" : "Величина", - "\"{displayName}\" failed on some elements" : "„{displayName}” није успело на неким елементима", - "\"{displayName}\" batch action executed successfully" : "Пакетна акција „{displayName}” се успешно извршила", - "\"{displayName}\" action failed" : "Акција „{displayName}” није успела", "Actions" : "Радње", "(selected)" : "(изабрано)", "List of files and folders." : "Листа фајлова и фолдера.", @@ -124,11 +121,7 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Ова листа није у потпуности приказана из разлога перформанси. Фајлови ће се приказивати како се крећете кроз листу.", "File not found" : "Фајл није нађен", "_{count} selected_::_{count} selected_" : ["изабран је {count}","изабрана су {count}","изабрано је {count}"], - "Search globally by filename …" : "Претражи глобално по имену фајла…", - "Search here by filename …" : "Претражи овде по имену фајла…", "Search scope options" : "Опције опсега претраге", - "Filter and search from this location" : "Филтрирај и претражи од ове локације", - "Search globally" : "Претражите глобално", "{usedQuotaByte} used" : "{usedQuotaByte} искоришћено", "{used} of {quota} used" : "{used} од {quota} искоришћено", "{relative}% used" : "{relative}% искоришћено", @@ -177,7 +170,6 @@ "Error during upload: {message}" : "Грешка при отпремању: {message}", "Error during upload, status code {status}" : "Грешка приликом отпремања, кôд статуса {status}", "Unknown error during upload" : "Непозната грешка током отпремања", - "\"{displayName}\" action executed successfully" : "Акција „{displayName}” је успешно извршена", "Loading current folder" : "Учитавање текућег фолдера", "Retry" : "Покушај поново", "No files in here" : "Овде нема фајлова", @@ -192,45 +184,32 @@ "No search results for “{query}”" : "Није нађен ниједан резултат за „{query}”", "Search for files" : "Претражи фајлове", "Clipboard is not available" : "Клипборд није доступан", - "WebDAV URL copied to clipboard" : "WebDAV URL је копиран у клипборд", + "General" : "Опште", "Default view" : "Подразумевани поглед", "All files" : "Сви фајлови", "Personal files" : "Лични фајлови", "Sort favorites first" : "Сортирај прво омиљене", "Sort folders before files" : "Поређај фолдере испред фајлова", - "Enable folder tree" : "Укључи стабло фолдера", + "Appearance" : "Изглед", "Show hidden files" : "Прикажи скривене фајлове", "Show file type column" : "Прикажи колону са типом фајла", "Crop image previews" : "Опсецање прегледа слика", "Additional settings" : "Додатне поставке", "WebDAV" : "ВебДАВ", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Копирај у оставу", + "Copy" : "Копирај", "Warnings" : "Упозорења", - "Prevent warning dialogs from open or reenable them." : "Спречава да се дијалози упозорења отворе или да се поново укључе.", - "Show a warning dialog when changing a file extension." : "Прикажи дијалог упозорења када се мења екстензија фајла.", - "Show a warning dialog when deleting files." : "Прикажи дијалог упозорења када се бришу фајлови.", "Keyboard shortcuts" : "Пречице на тастатури", - "Speed up your Files experience with these quick shortcuts." : "Убрзајте рад у апликацији Фајлови следећим брзим пречицама.", - "Open the actions menu for a file" : "Отвори мени са акцијама над фајлом", - "Rename a file" : "Промени име фајла", - "Delete a file" : "Обриши фајл", - "Favorite or remove a file from favorites" : "Постави или уклони из омиљених", - "Manage tags for a file" : "Управљај ознакама фајла", + "File actions" : "Фајл акције", + "Rename" : "Преименуј", + "Delete" : "Обриши", + "Manage tags" : "Управљање ознакама", "Selection" : "Избор", "Select all files" : "Изабери све фајлове", - "Deselect all files" : "Уклони избор са свих фајлова", - "Select or deselect a file" : "Изабери фајл или уклони избор фајла", - "Select a range of files" : "Изабери опсег фајлова", + "Deselect all" : "Поништи цео избор", "Navigation" : "Навигација", - "Navigate to the parent folder" : "Пређи на фолдер родитељ", - "Navigate to the file above" : "Пређи на фајл изнад", - "Navigate to the file below" : "Пређи на фајл испод", - "Navigate to the file on the left (in grid mode)" : "Пређи на фајл са леве стране (у режиму мреже)", - "Navigate to the file on the right (in grid mode)" : "Пређи на фајл са десне стране (у режиму мреже)", "View" : "Погледај", - "Toggle the grid view" : "Укључи/искључи приказ мреже", - "Open the sidebar for a file" : "Отвори у бочни панел за фајл", + "Toggle grid view" : "Укључи/искључи приказ мреже", "Show those shortcuts" : "Прикажи те пречице", "You" : "Ви", "Shared multiple times with different people" : "Дељено више пута са разним људима", @@ -269,7 +248,6 @@ "Delete files" : "Обриши фајлове", "Delete folder" : "Обрши фолдер", "Delete folders" : "Обриши фолдере", - "Delete" : "Обриши", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Управо ћете неповратно обрисати {count} ставку","Управо ћете неповратно обрисати {count} ставке","Управо ћете неповратно обрисати {count} ставки"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Управо ћете обрисати {count} ставку","Управо ћете обрисати {count} ставке","Управо ћете обрисати {count} ставки"], "Confirm deletion" : "Потврди брисање", @@ -287,7 +265,6 @@ "The file does not exist anymore" : "Фајл више не постоји", "Choose destination" : "Изаберите одредиште", "Copy to {target}" : "Копирај у {target}", - "Copy" : "Копирај", "Move to {target}" : "Премести у {target}", "Move" : "Помери", "Move or copy operation failed" : "Није успела операција премештања или копирања", @@ -300,8 +277,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Фајл би сада требало да се отвори на вашем уређају. Ако се не отвори, проверите да ли сте инсталирали декстоп апликацију.", "Retry and close" : "Покушај поново и затвори", "Open online" : "Отвори на мрежи", - "Rename" : "Преименуј", - "Open details" : "Отвори детаље", + "Details" : "Детаљи", "View in folder" : "Види у фасцикли", "Today" : "Данас", "Last 7 days" : "Последњих 7 дана", @@ -314,7 +290,7 @@ "PDFs" : "PDF фајлови", "Folders" : "Фолдери", "Audio" : "Звук", - "Photos and images" : "Фотографије и слике", + "Images" : "Слике", "Videos" : "Видео снимци", "Created new folder \"{name}\"" : "Креиран је нови фолдер „{name}”", "Unable to initialize the templates directory" : "Фолдер са шаблонима није могао да се иницијализује", @@ -340,7 +316,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Назив „{newName}” се већ користи у директоријуму „{dir}”. Молимо вас да изаберете неко друго име.", "Could not rename \"{oldName}\"" : "Не може да се промени име фајла „{oldName}”", "This operation is forbidden" : "Ова радња је забрањена", - "This directory is unavailable, please check the logs or contact the administrator" : "Овај директоријум није доступан, проверите дневник или контактирајте администратора", "Storage is temporarily not available" : "Складиште привремено није доступно", "Unexpected error: {error}" : "Неочекивана грешка: {error}", "_%n file_::_%n files_" : ["%n фајл","%n фајла","%n фајлова"], @@ -393,12 +368,12 @@ "Edit locally" : "Уреди локално", "Open" : "Отвори", "Could not load info for file \"{file}\"" : "Не могу да учитам информације фајла „{file}“", - "Details" : "Детаљи", "Please select tag(s) to add to the selection" : "Молимо вас да изаберете ознаку (или више њих) која треба да се дода избору", "Apply tag(s) to selection" : "Примени ознаку (или више њих) на избор", "Select directory \"{dirName}\"" : "Избор директоријума „{dirName}", "Select file \"{fileName}\"" : "Избор фајла „{fileName}”", "Unable to determine date" : "Не могу да одредим датум", + "This directory is unavailable, please check the logs or contact the administrator" : "Овај директоријум није доступан, проверите дневник или контактирајте администратора", "Could not move \"{file}\", target exists" : "Не могу да преместим „{file}“. Одредиште већ постоји", "Could not move \"{file}\"" : "Не могу да преместим „{file}“", "copy" : "копиран", @@ -446,15 +421,24 @@ "Not favored" : "Ненаклоњен", "An error occurred while trying to update the tags" : "Дошло је до грешке при покушају ажурирања ознака", "Upload (max. %s)" : "Отпремање (макс. %s)", + "\"{displayName}\" action executed successfully" : "Акција „{displayName}” је успешно извршена", + "\"{displayName}\" action failed" : "Акција „{displayName}” није успела", + "\"{displayName}\" failed on some elements" : "„{displayName}” није успело на неким елементима", + "\"{displayName}\" batch action executed successfully" : "Пакетна акција „{displayName}” се успешно извршила", "Submitting fields…" : "Поља се подносе…", "Filter filenames…" : "Филтрирање имена фајлова…", + "WebDAV URL copied to clipboard" : "WebDAV URL је копиран у клипборд", "Enable the grid view" : "Укључи приказ мреже", + "Enable folder tree" : "Укључи стабло фолдера", + "Copy to clipboard" : "Копирај у оставу", "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" : "Операција премештања или копирања је отказана", + "Open details" : "Отвори детаље", + "Photos and images" : "Фотографије и слике", "New folder creation cancelled" : "Отказане је креирање новог фолдера", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} фолдер","{folderCount} фолдера","{folderCount} фолдера"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} фајл","{fileCount} фајла","{fileCount} фајлова"], @@ -468,6 +452,24 @@ "%1$s (renamed)" : "%1$s (преименован)", "renamed file" : "преименован фајл", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Када се укључе windows компатибилна имена фајлова, постојећи фајлови се више неће моћи мењати, али њихов власник може да им промени име на исправно ново име.", - "Filter file names …" : "Филтрирање имена фајлова…" + "Filter file names …" : "Филтрирање имена фајлова…", + "Prevent warning dialogs from open or reenable them." : "Спречава да се дијалози упозорења отворе или да се поново укључе.", + "Show a warning dialog when changing a file extension." : "Прикажи дијалог упозорења када се мења екстензија фајла.", + "Speed up your Files experience with these quick shortcuts." : "Убрзајте рад у апликацији Фајлови следећим брзим пречицама.", + "Open the actions menu for a file" : "Отвори мени са акцијама над фајлом", + "Rename a file" : "Промени име фајла", + "Delete a file" : "Обриши фајл", + "Favorite or remove a file from favorites" : "Постави или уклони из омиљених", + "Manage tags for a file" : "Управљај ознакама фајла", + "Deselect all files" : "Уклони избор са свих фајлова", + "Select or deselect a file" : "Изабери фајл или уклони избор фајла", + "Select a range of files" : "Изабери опсег фајлова", + "Navigate to the parent folder" : "Пређи на фолдер родитељ", + "Navigate to the file above" : "Пређи на фајл изнад", + "Navigate to the file below" : "Пређи на фајл испод", + "Navigate to the file on the left (in grid mode)" : "Пређи на фајл са леве стране (у режиму мреже)", + "Navigate to the file on the right (in grid mode)" : "Пређи на фајл са десне стране (у режиму мреже)", + "Toggle the grid view" : "Укључи/искључи приказ мреже", + "Open the sidebar for a file" : "Отвори у бочни панел за фајл" },"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/l10n/sv.js b/apps/files/l10n/sv.js index e0ca3430995..7450ec73c6e 100644 --- a/apps/files/l10n/sv.js +++ b/apps/files/l10n/sv.js @@ -115,9 +115,6 @@ OC.L10N.register( "Name" : "Namn", "File type" : "Filtyp", "Size" : "Storlek", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" misslyckades med vissa element", - "\"{displayName}\" batch action executed successfully" : "Batchåtgärden \"{displayName}\" har utförts", - "\"{displayName}\" action failed" : "\"{displayName}\"-åtgärden misslyckades", "Actions" : "Funktioner", "(selected)" : "(vald)", "List of files and folders." : "Lista över filer och mappar.", @@ -126,11 +123,7 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Denna lista är inte helt återgiven av prestandaskäl. Filerna kommer att renderas när du navigerar genom listan.", "File not found" : "Filen kunde inte hittas", "_{count} selected_::_{count} selected_" : ["{count} vald","{count} valda"], - "Search globally by filename …" : "Sök globalt efter filnamn …", - "Search here by filename …" : "Sök här efter filnamn …", "Search scope options" : "Alternativ för sökomfång", - "Filter and search from this location" : "Filtrera och sök från den här platsen", - "Search globally" : "Sök globalt", "{usedQuotaByte} used" : "{usedQuotaByte} använt", "{used} of {quota} used" : "{used} av {quota} använt", "{relative}% used" : "{relative}% använt", @@ -180,7 +173,6 @@ OC.L10N.register( "Error during upload: {message}" : "Fel vid uppladdning: {message}", "Error during upload, status code {status}" : "Fel vid uppladdning, statuskod {status}", "Unknown error during upload" : "Okänt fel under uppladdning", - "\"{displayName}\" action executed successfully" : "\"{displayName}\"-åtgärden har utförts", "Loading current folder" : "Laddar aktuell mapp", "Retry" : "Försök igen", "No files in here" : "Inga filer kunde hittas", @@ -195,49 +187,34 @@ OC.L10N.register( "No search results for “{query}”" : "Inget sökresultat för “{query}”", "Search for files" : "Sök efter filer", "Clipboard is not available" : "Urklipp är inte tillgängligt", - "WebDAV URL copied to clipboard" : "WebDAV URL kopierad till urklipp", + "General" : "Allmänt", "Default view" : "Standardvy", "All files" : "Alla filer", "Personal files" : "Personliga filer", "Sort favorites first" : "Sortera favoriter först", "Sort folders before files" : "Sortera mappar före filer", - "Enable folder tree" : "Aktivera mappträd", - "Visual settings" : "Visuella inställningar", + "Folder tree" : "Mappträd", + "Appearance" : "Utseende", "Show hidden files" : "Visa dolda filer", "Show file type column" : "Visa kolumn för filtyp", "Crop image previews" : "Beskär förhandsgranskningar för bilder", - "Show files extensions" : "Visa filändelser", "Additional settings" : "Övriga inställningar", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Kopiera till urklipp", - "Use this address to access your Files via WebDAV." : "Använd denna adress för att komma åt dina filer med WebDAV.", + "Copy" : "Kopiera", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Tvåfaktorsautentisering är aktiverad för ditt konto och därför måste du använda ett applösenord för att ansluta en extern WebDAV-klient.", "Warnings" : "Varningar", - "Prevent warning dialogs from open or reenable them." : "Förhindra varningsdialoger från att öppnas eller aktivera dem igen.", - "Show a warning dialog when changing a file extension." : "Visa en varningsdialog vid ändring av filändelse.", - "Show a warning dialog when deleting files." : "Visa en varningsdialog när filer tas bort.", "Keyboard shortcuts" : "Tangentbordsgenvägar", - "Speed up your Files experience with these quick shortcuts." : "Snabba upp din upplevelse i Filer med dessa smarta genvägar.", - "Open the actions menu for a file" : "Öppna åtgärdsmenyn för en fil", - "Rename a file" : "Byt namn på en fil", - "Delete a file" : "Ta bort en fil", - "Favorite or remove a file from favorites" : "Lägg till eller ta bort en fil från favoriter", - "Manage tags for a file" : "Hantera taggar för en fil", + "File actions" : "Filåtgärder", + "Rename" : "Byt namn", + "Delete" : "Radera", + "Manage tags" : "Hantera taggar", "Selection" : "Markerade", "Select all files" : "Välj alla filer", - "Deselect all files" : "Avmarkera alla filer", - "Select or deselect a file" : "Markera eller avmarkera en fil", - "Select a range of files" : "Markera ett filintervall", + "Deselect all" : "Avmarkera alla", "Navigation" : "Navigering", - "Navigate to the parent folder" : "Gå till överordnad mapp", - "Navigate to the file above" : "Gå till filen ovan", - "Navigate to the file below" : "Gå till filen nedan", - "Navigate to the file on the left (in grid mode)" : "Gå till filen till vänster (i rutnätsvy)", - "Navigate to the file on the right (in grid mode)" : "Gå till filen till höger (i rutnätsvy)", "View" : "Visa", - "Toggle the grid view" : "Växla rutnätsvy", - "Open the sidebar for a file" : "Öppna sidofältet för en fil", + "Toggle grid view" : "Växla rutnätsvy", "Show those shortcuts" : "Visa dessa genvägar", "You" : "Du", "Shared multiple times with different people" : "Delad flera gånger med olika personer", @@ -276,7 +253,6 @@ OC.L10N.register( "Delete files" : "Radera filer", "Delete folder" : "Radera mapp", "Delete folders" : "Radera mappar", - "Delete" : "Radera", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Du är på väg att permanent ta bort {count} objekt","Du är på väg att permanent ta bort {count} objekt"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Du är på väg att ta bort {count} objekt","Du är på väg att ta bort {count} objekt"], "Confirm deletion" : "Bekräfta radering", @@ -294,7 +270,6 @@ OC.L10N.register( "The file does not exist anymore" : "Filen finns inte längre", "Choose destination" : "Välj destination", "Copy to {target}" : "Kopiera till {target}", - "Copy" : "Kopiera", "Move to {target}" : "Flytta till {target}", "Move" : "Flytta", "Move or copy operation failed" : "Flytta eller kopiera misslyckades", @@ -307,8 +282,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Filen bör nu öppnas på din enhet. Om den inte gör det, kontrollera att du har installerat skrivbordsappen.", "Retry and close" : "Försök igen och stäng", "Open online" : "Öppna online", - "Rename" : "Byt namn", - "Open details" : "Öppna detaljer", + "Details" : "Detaljer", "View in folder" : "Utforska i mapp", "Today" : "Idag", "Last 7 days" : "Senaste 7 dagarna", @@ -321,7 +295,7 @@ OC.L10N.register( "PDFs" : "PDF-filer", "Folders" : "Mappar", "Audio" : "Ljud", - "Photos and images" : "Foton och bilder", + "Images" : "Bilder", "Videos" : "Videor", "Created new folder \"{name}\"" : "Skapat ny mapp \"{name}\"", "Unable to initialize the templates directory" : "Kunde inte initialisera mall-mappen", @@ -348,7 +322,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Namnet \"{newName}\" används redan i mappen \"{dir}\". Välj ett annat namn.", "Could not rename \"{oldName}\"" : "Kunde inte byta namn på \"{oldName}\"", "This operation is forbidden" : "Denna operation är förbjuden", - "This directory is unavailable, please check the logs or contact the administrator" : "Denna katalog är inte tillgänglig, kontrollera loggarna eller kontakta administratören", "Storage is temporarily not available" : "Lagring är tillfälligt inte tillgänglig", "Unexpected error: {error}" : "Oväntat fel: {error}", "_%n file_::_%n files_" : ["%n fil","%n filer"], @@ -363,7 +336,6 @@ OC.L10N.register( "No favorites yet" : "Inga favoriter ännu", "Files and folders you mark as favorite will show up here" : "Filer och mappar markerade som favoriter kommer att visas här", "List of your files and folders." : "Lista över dina filer och mappar.", - "Folder tree" : "Mappträd", "List of your files and folders that are not shared." : "Lista över dina filer och mappar som inte delas.", "No personal files found" : "Inga personliga filer hittades", "Files that are not shared will show up here." : "Filer som inte delas kommer att visas här.", @@ -402,12 +374,12 @@ OC.L10N.register( "Edit locally" : "Redigera lokalt", "Open" : "Öppna", "Could not load info for file \"{file}\"" : "Kunde inte läsa in information för filen \"{file}\"", - "Details" : "Detaljer", "Please select tag(s) to add to the selection" : "Vänligen välj tagg(ar) att lägga till i ditt urval", "Apply tag(s) to selection" : "Lägg till tagg(ar) i ditt urval", "Select directory \"{dirName}\"" : "Välj mapp \"{dirName}\"", "Select file \"{fileName}\"" : "Välj fil \"{fileName}\"", "Unable to determine date" : "Misslyckades avgöra datum", + "This directory is unavailable, please check the logs or contact the administrator" : "Denna katalog är inte tillgänglig, kontrollera loggarna eller kontakta administratören", "Could not move \"{file}\", target exists" : "Kunde inte flytta \"{file}\", filen existerar redan", "Could not move \"{file}\"" : "Kunde inte flytta \"{file}\"", "copy" : "kopia", @@ -455,15 +427,24 @@ OC.L10N.register( "Not favored" : "Inte favoriserad", "An error occurred while trying to update the tags" : "Fel vid uppdatering av taggarna", "Upload (max. %s)" : "Ladda upp (högst %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\"-åtgärden har utförts", + "\"{displayName}\" action failed" : "\"{displayName}\"-åtgärden misslyckades", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" misslyckades med vissa element", + "\"{displayName}\" batch action executed successfully" : "Batchåtgärden \"{displayName}\" har utförts", "Submitting fields…" : "Skickar fält...", "Filter filenames…" : "Filtrera filnamn...", + "WebDAV URL copied to clipboard" : "WebDAV URL kopierad till urklipp", "Enable the grid view" : "Aktivera rutnätsvy", + "Enable folder tree" : "Aktivera mappträd", + "Copy to clipboard" : "Kopiera till urklipp", "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", + "Open details" : "Öppna detaljer", + "Photos and images" : "Foton och bilder", "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"], @@ -477,6 +458,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (omdöpt)", "renamed file" : "omdöpt fil", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "När Windows-kompatibla filnamn har aktiverats kan befintliga filer inte längre ändras, men de kan byta namn till giltiga nya namn av sin ägare.", - "Filter file names …" : "Filtrera filnamn …" + "Filter file names …" : "Filtrera filnamn …", + "Prevent warning dialogs from open or reenable them." : "Förhindra varningsdialoger från att öppnas eller aktivera dem igen.", + "Show a warning dialog when changing a file extension." : "Visa en varningsdialog vid ändring av filändelse.", + "Speed up your Files experience with these quick shortcuts." : "Snabba upp din upplevelse i Filer med dessa smarta genvägar.", + "Open the actions menu for a file" : "Öppna åtgärdsmenyn för en fil", + "Rename a file" : "Byt namn på en fil", + "Delete a file" : "Ta bort en fil", + "Favorite or remove a file from favorites" : "Lägg till eller ta bort en fil från favoriter", + "Manage tags for a file" : "Hantera taggar för en fil", + "Deselect all files" : "Avmarkera alla filer", + "Select or deselect a file" : "Markera eller avmarkera en fil", + "Select a range of files" : "Markera ett filintervall", + "Navigate to the parent folder" : "Gå till överordnad mapp", + "Navigate to the file above" : "Gå till filen ovan", + "Navigate to the file below" : "Gå till filen nedan", + "Navigate to the file on the left (in grid mode)" : "Gå till filen till vänster (i rutnätsvy)", + "Navigate to the file on the right (in grid mode)" : "Gå till filen till höger (i rutnätsvy)", + "Toggle the grid view" : "Växla rutnätsvy", + "Open the sidebar for a file" : "Öppna sidofältet för en fil" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/sv.json b/apps/files/l10n/sv.json index 9e240802e75..c07d8f4fc4f 100644 --- a/apps/files/l10n/sv.json +++ b/apps/files/l10n/sv.json @@ -113,9 +113,6 @@ "Name" : "Namn", "File type" : "Filtyp", "Size" : "Storlek", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" misslyckades med vissa element", - "\"{displayName}\" batch action executed successfully" : "Batchåtgärden \"{displayName}\" har utförts", - "\"{displayName}\" action failed" : "\"{displayName}\"-åtgärden misslyckades", "Actions" : "Funktioner", "(selected)" : "(vald)", "List of files and folders." : "Lista över filer och mappar.", @@ -124,11 +121,7 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Denna lista är inte helt återgiven av prestandaskäl. Filerna kommer att renderas när du navigerar genom listan.", "File not found" : "Filen kunde inte hittas", "_{count} selected_::_{count} selected_" : ["{count} vald","{count} valda"], - "Search globally by filename …" : "Sök globalt efter filnamn …", - "Search here by filename …" : "Sök här efter filnamn …", "Search scope options" : "Alternativ för sökomfång", - "Filter and search from this location" : "Filtrera och sök från den här platsen", - "Search globally" : "Sök globalt", "{usedQuotaByte} used" : "{usedQuotaByte} använt", "{used} of {quota} used" : "{used} av {quota} använt", "{relative}% used" : "{relative}% använt", @@ -178,7 +171,6 @@ "Error during upload: {message}" : "Fel vid uppladdning: {message}", "Error during upload, status code {status}" : "Fel vid uppladdning, statuskod {status}", "Unknown error during upload" : "Okänt fel under uppladdning", - "\"{displayName}\" action executed successfully" : "\"{displayName}\"-åtgärden har utförts", "Loading current folder" : "Laddar aktuell mapp", "Retry" : "Försök igen", "No files in here" : "Inga filer kunde hittas", @@ -193,49 +185,34 @@ "No search results for “{query}”" : "Inget sökresultat för “{query}”", "Search for files" : "Sök efter filer", "Clipboard is not available" : "Urklipp är inte tillgängligt", - "WebDAV URL copied to clipboard" : "WebDAV URL kopierad till urklipp", + "General" : "Allmänt", "Default view" : "Standardvy", "All files" : "Alla filer", "Personal files" : "Personliga filer", "Sort favorites first" : "Sortera favoriter först", "Sort folders before files" : "Sortera mappar före filer", - "Enable folder tree" : "Aktivera mappträd", - "Visual settings" : "Visuella inställningar", + "Folder tree" : "Mappträd", + "Appearance" : "Utseende", "Show hidden files" : "Visa dolda filer", "Show file type column" : "Visa kolumn för filtyp", "Crop image previews" : "Beskär förhandsgranskningar för bilder", - "Show files extensions" : "Visa filändelser", "Additional settings" : "Övriga inställningar", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "Kopiera till urklipp", - "Use this address to access your Files via WebDAV." : "Använd denna adress för att komma åt dina filer med WebDAV.", + "Copy" : "Kopiera", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Tvåfaktorsautentisering är aktiverad för ditt konto och därför måste du använda ett applösenord för att ansluta en extern WebDAV-klient.", "Warnings" : "Varningar", - "Prevent warning dialogs from open or reenable them." : "Förhindra varningsdialoger från att öppnas eller aktivera dem igen.", - "Show a warning dialog when changing a file extension." : "Visa en varningsdialog vid ändring av filändelse.", - "Show a warning dialog when deleting files." : "Visa en varningsdialog när filer tas bort.", "Keyboard shortcuts" : "Tangentbordsgenvägar", - "Speed up your Files experience with these quick shortcuts." : "Snabba upp din upplevelse i Filer med dessa smarta genvägar.", - "Open the actions menu for a file" : "Öppna åtgärdsmenyn för en fil", - "Rename a file" : "Byt namn på en fil", - "Delete a file" : "Ta bort en fil", - "Favorite or remove a file from favorites" : "Lägg till eller ta bort en fil från favoriter", - "Manage tags for a file" : "Hantera taggar för en fil", + "File actions" : "Filåtgärder", + "Rename" : "Byt namn", + "Delete" : "Radera", + "Manage tags" : "Hantera taggar", "Selection" : "Markerade", "Select all files" : "Välj alla filer", - "Deselect all files" : "Avmarkera alla filer", - "Select or deselect a file" : "Markera eller avmarkera en fil", - "Select a range of files" : "Markera ett filintervall", + "Deselect all" : "Avmarkera alla", "Navigation" : "Navigering", - "Navigate to the parent folder" : "Gå till överordnad mapp", - "Navigate to the file above" : "Gå till filen ovan", - "Navigate to the file below" : "Gå till filen nedan", - "Navigate to the file on the left (in grid mode)" : "Gå till filen till vänster (i rutnätsvy)", - "Navigate to the file on the right (in grid mode)" : "Gå till filen till höger (i rutnätsvy)", "View" : "Visa", - "Toggle the grid view" : "Växla rutnätsvy", - "Open the sidebar for a file" : "Öppna sidofältet för en fil", + "Toggle grid view" : "Växla rutnätsvy", "Show those shortcuts" : "Visa dessa genvägar", "You" : "Du", "Shared multiple times with different people" : "Delad flera gånger med olika personer", @@ -274,7 +251,6 @@ "Delete files" : "Radera filer", "Delete folder" : "Radera mapp", "Delete folders" : "Radera mappar", - "Delete" : "Radera", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Du är på väg att permanent ta bort {count} objekt","Du är på väg att permanent ta bort {count} objekt"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Du är på väg att ta bort {count} objekt","Du är på väg att ta bort {count} objekt"], "Confirm deletion" : "Bekräfta radering", @@ -292,7 +268,6 @@ "The file does not exist anymore" : "Filen finns inte längre", "Choose destination" : "Välj destination", "Copy to {target}" : "Kopiera till {target}", - "Copy" : "Kopiera", "Move to {target}" : "Flytta till {target}", "Move" : "Flytta", "Move or copy operation failed" : "Flytta eller kopiera misslyckades", @@ -305,8 +280,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Filen bör nu öppnas på din enhet. Om den inte gör det, kontrollera att du har installerat skrivbordsappen.", "Retry and close" : "Försök igen och stäng", "Open online" : "Öppna online", - "Rename" : "Byt namn", - "Open details" : "Öppna detaljer", + "Details" : "Detaljer", "View in folder" : "Utforska i mapp", "Today" : "Idag", "Last 7 days" : "Senaste 7 dagarna", @@ -319,7 +293,7 @@ "PDFs" : "PDF-filer", "Folders" : "Mappar", "Audio" : "Ljud", - "Photos and images" : "Foton och bilder", + "Images" : "Bilder", "Videos" : "Videor", "Created new folder \"{name}\"" : "Skapat ny mapp \"{name}\"", "Unable to initialize the templates directory" : "Kunde inte initialisera mall-mappen", @@ -346,7 +320,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Namnet \"{newName}\" används redan i mappen \"{dir}\". Välj ett annat namn.", "Could not rename \"{oldName}\"" : "Kunde inte byta namn på \"{oldName}\"", "This operation is forbidden" : "Denna operation är förbjuden", - "This directory is unavailable, please check the logs or contact the administrator" : "Denna katalog är inte tillgänglig, kontrollera loggarna eller kontakta administratören", "Storage is temporarily not available" : "Lagring är tillfälligt inte tillgänglig", "Unexpected error: {error}" : "Oväntat fel: {error}", "_%n file_::_%n files_" : ["%n fil","%n filer"], @@ -361,7 +334,6 @@ "No favorites yet" : "Inga favoriter ännu", "Files and folders you mark as favorite will show up here" : "Filer och mappar markerade som favoriter kommer att visas här", "List of your files and folders." : "Lista över dina filer och mappar.", - "Folder tree" : "Mappträd", "List of your files and folders that are not shared." : "Lista över dina filer och mappar som inte delas.", "No personal files found" : "Inga personliga filer hittades", "Files that are not shared will show up here." : "Filer som inte delas kommer att visas här.", @@ -400,12 +372,12 @@ "Edit locally" : "Redigera lokalt", "Open" : "Öppna", "Could not load info for file \"{file}\"" : "Kunde inte läsa in information för filen \"{file}\"", - "Details" : "Detaljer", "Please select tag(s) to add to the selection" : "Vänligen välj tagg(ar) att lägga till i ditt urval", "Apply tag(s) to selection" : "Lägg till tagg(ar) i ditt urval", "Select directory \"{dirName}\"" : "Välj mapp \"{dirName}\"", "Select file \"{fileName}\"" : "Välj fil \"{fileName}\"", "Unable to determine date" : "Misslyckades avgöra datum", + "This directory is unavailable, please check the logs or contact the administrator" : "Denna katalog är inte tillgänglig, kontrollera loggarna eller kontakta administratören", "Could not move \"{file}\", target exists" : "Kunde inte flytta \"{file}\", filen existerar redan", "Could not move \"{file}\"" : "Kunde inte flytta \"{file}\"", "copy" : "kopia", @@ -453,15 +425,24 @@ "Not favored" : "Inte favoriserad", "An error occurred while trying to update the tags" : "Fel vid uppdatering av taggarna", "Upload (max. %s)" : "Ladda upp (högst %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\"-åtgärden har utförts", + "\"{displayName}\" action failed" : "\"{displayName}\"-åtgärden misslyckades", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" misslyckades med vissa element", + "\"{displayName}\" batch action executed successfully" : "Batchåtgärden \"{displayName}\" har utförts", "Submitting fields…" : "Skickar fält...", "Filter filenames…" : "Filtrera filnamn...", + "WebDAV URL copied to clipboard" : "WebDAV URL kopierad till urklipp", "Enable the grid view" : "Aktivera rutnätsvy", + "Enable folder tree" : "Aktivera mappträd", + "Copy to clipboard" : "Kopiera till urklipp", "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", + "Open details" : "Öppna detaljer", + "Photos and images" : "Foton och bilder", "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"], @@ -475,6 +456,24 @@ "%1$s (renamed)" : "%1$s (omdöpt)", "renamed file" : "omdöpt fil", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "När Windows-kompatibla filnamn har aktiverats kan befintliga filer inte längre ändras, men de kan byta namn till giltiga nya namn av sin ägare.", - "Filter file names …" : "Filtrera filnamn …" + "Filter file names …" : "Filtrera filnamn …", + "Prevent warning dialogs from open or reenable them." : "Förhindra varningsdialoger från att öppnas eller aktivera dem igen.", + "Show a warning dialog when changing a file extension." : "Visa en varningsdialog vid ändring av filändelse.", + "Speed up your Files experience with these quick shortcuts." : "Snabba upp din upplevelse i Filer med dessa smarta genvägar.", + "Open the actions menu for a file" : "Öppna åtgärdsmenyn för en fil", + "Rename a file" : "Byt namn på en fil", + "Delete a file" : "Ta bort en fil", + "Favorite or remove a file from favorites" : "Lägg till eller ta bort en fil från favoriter", + "Manage tags for a file" : "Hantera taggar för en fil", + "Deselect all files" : "Avmarkera alla filer", + "Select or deselect a file" : "Markera eller avmarkera en fil", + "Select a range of files" : "Markera ett filintervall", + "Navigate to the parent folder" : "Gå till överordnad mapp", + "Navigate to the file above" : "Gå till filen ovan", + "Navigate to the file below" : "Gå till filen nedan", + "Navigate to the file on the left (in grid mode)" : "Gå till filen till vänster (i rutnätsvy)", + "Navigate to the file on the right (in grid mode)" : "Gå till filen till höger (i rutnätsvy)", + "Toggle the grid view" : "Växla rutnätsvy", + "Open the sidebar for a file" : "Öppna sidofältet för en fil" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/sw.js b/apps/files/l10n/sw.js index 936739f59ce..f1e21bf7807 100644 --- a/apps/files/l10n/sw.js +++ b/apps/files/l10n/sw.js @@ -115,9 +115,6 @@ OC.L10N.register( "Name" : "Jina", "File type" : "Aina ya faili", "Size" : "Ukubwa", - "\"{displayName}\" failed on some elements" : "\"{displayName} imeshindwa katika vipengele kadhaa", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" kitendo cha kundi kimetekelezwa kwa mafanikio", - "\"{displayName}\" action failed" : "\"{displayName}\" matendo yameshindwa", "Actions" : "Utendekaji", "(selected)" : "(iliyochaguliwa)", "List of files and folders." : "Orodha ya faili na visanduku", @@ -126,11 +123,7 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Orodha hii haijatolewa kikamilifu kwa sababu za utendaji. Faili zitatolewa unapopitia orodha.", "File not found" : "Faili halipatikani", "_{count} selected_::_{count} selected_" : ["{count} selected","{count} iliyochaguliwa"], - "Search globally by filename …" : "Tafuta kimataifa kwa jina la faili", - "Search here by filename …" : "Tafuta hapa kwa jina la faili", "Search scope options" : "Chaguo za upeo wa utafutaji", - "Filter and search from this location" : "Chuja na utafute kutoka eneo hili", - "Search globally" : "Tafuta kimataifa", "{usedQuotaByte} used" : "{usedQuotaByte}imetumika", "{used} of {quota} used" : "{used} ya {quota}imetumika", "{relative}% used" : "{relative}% imetumika", @@ -180,7 +173,6 @@ OC.L10N.register( "Error during upload: {message}" : "Hitilafu wakati wa kupakia: {message}", "Error during upload, status code {status}" : "Hitilafu wakati wa kupakia, msimbo wa hali {status}", "Unknown error during upload" : "Hitilafu isiyojulikana wakati wa kupakia", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" kitendo kimetekelezwa kwa mafanikio", "Loading current folder" : "Inapakia faili ya sasa", "Retry" : "Jaribu tene", "No files in here" : "Hakuna faili hapa", @@ -195,49 +187,33 @@ OC.L10N.register( "No search results for “{query}”" : "Hakuna matokeo ya utafutaji kwa {query}", "Search for files" : "Tafuta faili", "Clipboard is not available" : "Ubao wa kunakili haupatikani", - "WebDAV URL copied to clipboard" : "WavutiDAV URL umenakiliwa kwenye ubao wa kunakili", + "General" : "Kuu", "Default view" : "Mwonekano chaguomsingi", "All files" : "Faili zote", "Personal files" : "Faili binafsi", "Sort favorites first" : "Chagua za upendeleo kwanza", "Sort folders before files" : "Chagua vikasha kabla ya mafaili", - "Enable folder tree" : "Wezesha faili la tatu", - "Visual settings" : "Mipangilio ya kuona", + "Folder tree" : "Mti wa folda", + "Appearance" : "Mwonekano", "Show hidden files" : "Onesha mafaili yaliyofichwa", "Show file type column" : "Onyesha safu wima ya aina ya faili", "Crop image previews" : "Punguza onyesho la kukagua picha", - "Show files extensions" : "Onyesha viendelezi vya faili", "Additional settings" : "Mipangilio ya nyongeza", "WebDAV" : "WavutiDAV", "WebDAV URL" : "WavutiDAV URL", - "Copy to clipboard" : "Nakili kwenye ubao wa kunakili", - "Use this address to access your Files via WebDAV." : "Tumia anwani hii kufikia Faili zako kupitia WebDAV.", + "Copy" : "Nakili", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Uthibitishaji wa Mambo Mbili umewashwa kwa akaunti yako, na kwa hivyo unahitaji kutumia nenosiri la programu kuunganisha mteja wa nje wa WebDAV.", "Warnings" : "Maonyo", - "Prevent warning dialogs from open or reenable them." : "Zuia mazungumzo ya onyo yasifunguliwe au uwashe upya.", - "Show a warning dialog when changing a file extension." : "Onyesha mazungumzo ya onyo unapobadilisha kiendelezi cha faili.", - "Show a warning dialog when deleting files." : "Onesha mazungumzo ya onyo wakati wa kufuta faili.", "Keyboard shortcuts" : "Mikato ya keyboard", - "Speed up your Files experience with these quick shortcuts." : "Ongeza kasi ya utumiaji wa Faili zako kwa njia hizi za mkato za haraka.", - "Open the actions menu for a file" : "Fungua menyu ya vitendo kwa faili", - "Rename a file" : "Ita faili jina jipya", - "Delete a file" : "Futa faili", - "Favorite or remove a file from favorites" : "Pendwa au ondoa faili kutoka pendwa", - "Manage tags for a file" : "simamia maoni kwa faili", + "File actions" : "Matendo ya faili", + "Rename" : "Ipe jina jipya", + "Delete" : "Futa", + "Manage tags" : "Simamia lebo", "Selection" : "Machaguo", "Select all files" : "Chagua faili zote", - "Deselect all files" : "Usichague faili zote", - "Select or deselect a file" : "Chagua au usichague faili", - "Select a range of files" : "Chagua anuwai ya faili", + "Deselect all" : "Acha kuchagua zote", "Navigation" : "Uendeshaji", - "Navigate to the parent folder" : "Nenda kwenye kisanduku kikuu", - "Navigate to the file above" : "Sogea kwenye faili la juu", - "Navigate to the file below" : "Sogea kwenye faili la chini", - "Navigate to the file on the left (in grid mode)" : "Sogea kwenye faili la kushoto (in grid mode)", - "Navigate to the file on the right (in grid mode)" : "Sogea kwenye faili la kulia ( in grid mode)", "View" : "Angalia", - "Toggle the grid view" : "Geuza mwonekano wa gridi", - "Open the sidebar for a file" : "Fungua utepe kwa faili", "Show those shortcuts" : "Onesha mikato hiyo", "You" : "Wewe", "Shared multiple times with different people" : "Imeshirikiwa mara nyingi na watu tofauti", @@ -276,7 +252,6 @@ OC.L10N.register( "Delete files" : "Futa faili", "Delete folder" : "Futa kisanduku", "Delete folders" : "Futa visanduku", - "Delete" : "Futa", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["You are about to permanently delete {count} item","Unakaribia kufuta vipengee {count}kabisa"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["You are about to delete {count} item","Unakaribia kufuta vipengee{count}"], "Confirm deletion" : "Thibitisha ufutaji", @@ -294,7 +269,6 @@ OC.L10N.register( "The file does not exist anymore" : "Faili halipo tena", "Choose destination" : "Chagua eneo lengwa", "Copy to {target}" : "Nakili kwenda {target}", - "Copy" : "Nakili", "Move to {target}" : "Hamishia {target}", "Move" : "Hamisha", "Move or copy operation failed" : "Operesheni ya kuhamisha au kunakili imeshindikana", @@ -307,8 +281,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Sasa faili inapaswa kufunguliwa kwenye kifaa chako. Ikiwa sivyo, tafadhali hakikisha kuwa umesakinisha programu ya eneo-kazi.", "Retry and close" : "Jaribu upya kisha funga", "Open online" : "Fungua mtandaoni", - "Rename" : "Ipe jina jipya", - "Open details" : "Fungua maelezo", + "Details" : "Maelezo ya kina", "View in folder" : "Angalia ndani ya kisanduku", "Today" : "Leo", "Last 7 days" : "Siku 7 zilizopita", @@ -321,7 +294,7 @@ OC.L10N.register( "PDFs" : "PDFs", "Folders" : "Visanduku", "Audio" : "Sauti", - "Photos and images" : "Picha na taswira", + "Images" : "Picha", "Videos" : "Picha mjongeo", "Created new folder \"{name}\"" : "Imetengeneza kisanduku kipya \"{name}\"", "Unable to initialize the templates directory" : "Haikuweza kuanzisha saraka ya violezo", @@ -348,7 +321,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Jina \"{newName}\" tayari linatumika katika kisanduku \"{dir}\". Tafadhali chagua jina tofauti", "Could not rename \"{oldName}\"" : "Haikuweza kuita jina jipya \"{oldName}\"", "This operation is forbidden" : "Opereshini hii imezuiwa", - "This directory is unavailable, please check the logs or contact the administrator" : "Orodha haipatikani, tafadhali angalia uingiaji au wasiliana na msimamizi", "Storage is temporarily not available" : "Uhifadhi haupo kwa muda", "Unexpected error: {error}" : "Hitilafu isiyotarajiwa {error}", "_%n file_::_%n files_" : ["%n file","%n faili"], @@ -363,7 +335,6 @@ OC.L10N.register( "No favorites yet" : "Bado hakuna vinavyopendwa", "Files and folders you mark as favorite will show up here" : "Faili na visunduku ulivyoweka alama kama vipendwa vitaonekana hapa", "List of your files and folders." : "Orodha ya faili na vikasha vyako", - "Folder tree" : "Mti wa folda", "List of your files and folders that are not shared." : "Orodha ya faili na vikasha ambavyo havijashirikishwa", "No personal files found" : "Hakuna faili binafsi zilizopatikana", "Files that are not shared will show up here." : "Faili ambazo hazija shirikishwa zitaonekana hapa", @@ -402,12 +373,12 @@ OC.L10N.register( "Edit locally" : "Hariri kikawaida", "Open" : "Fungua", "Could not load info for file \"{file}\"" : "Isingeweza kupakia taarifa kwa faili \"{file}\"", - "Details" : "Maelezo ya kina", "Please select tag(s) to add to the selection" : "Tafadhali chagua lebo za kuongeza kwenye uteuzi", "Apply tag(s) to selection" : "Omba lebo kwenye uteuzi", "Select directory \"{dirName}\"" : "Teua orodha \"{dirName}\"", "Select file \"{fileName}\"" : "Teua faili \"{fileName}\"", "Unable to determine date" : "Haiwezi kuamua tarehe", + "This directory is unavailable, please check the logs or contact the administrator" : "Orodha haipatikani, tafadhali angalia uingiaji au wasiliana na msimamizi", "Could not move \"{file}\", target exists" : "Haikuweza kuhamisha \"{file}\" lengo lililopo", "Could not move \"{file}\"" : "Haiwezi kuhamisha \"{file}\"", "copy" : "Nakili", @@ -455,15 +426,24 @@ OC.L10N.register( "Not favored" : "Haikupendwa", "An error occurred while trying to update the tags" : "Hitilafu imetokea wakati ikijaribu kusasisha lebo", "Upload (max. %s)" : "Pakia (kiwango cha juu. %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" kitendo kimetekelezwa kwa mafanikio", + "\"{displayName}\" action failed" : "\"{displayName}\" matendo yameshindwa", + "\"{displayName}\" failed on some elements" : "\"{displayName} imeshindwa katika vipengele kadhaa", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" kitendo cha kundi kimetekelezwa kwa mafanikio", "Submitting fields…" : "Inawasilisha migunda", "Filter filenames…" : "Chuja majina ya faili", + "WebDAV URL copied to clipboard" : "WavutiDAV URL umenakiliwa kwenye ubao wa kunakili", "Enable the grid view" : "Wezesha mwonekano wa gridi", + "Enable folder tree" : "Wezesha faili la tatu", + "Copy to clipboard" : "Nakili kwenye ubao wa kunakili", "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", + "Open details" : "Fungua maelezo", + "Photos and images" : "Picha na taswira", "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} "], @@ -477,6 +457,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (iliyopew jina jipya)", "renamed file" : "Faili iliyopewa jina jipya", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Baada ya kuwezesha majina ya windows ya faili yanayooana, faili zilizopo haziwezi kurekebishwa tena lakini zinaweza kubadilishwa kuwa majina mapya halali na mmiliki wao.", - "Filter file names …" : "Chuja majina ya faili..." + "Filter file names …" : "Chuja majina ya faili...", + "Prevent warning dialogs from open or reenable them." : "Zuia mazungumzo ya onyo yasifunguliwe au uwashe upya.", + "Show a warning dialog when changing a file extension." : "Onyesha mazungumzo ya onyo unapobadilisha kiendelezi cha faili.", + "Speed up your Files experience with these quick shortcuts." : "Ongeza kasi ya utumiaji wa Faili zako kwa njia hizi za mkato za haraka.", + "Open the actions menu for a file" : "Fungua menyu ya vitendo kwa faili", + "Rename a file" : "Ita faili jina jipya", + "Delete a file" : "Futa faili", + "Favorite or remove a file from favorites" : "Pendwa au ondoa faili kutoka pendwa", + "Manage tags for a file" : "simamia maoni kwa faili", + "Deselect all files" : "Usichague faili zote", + "Select or deselect a file" : "Chagua au usichague faili", + "Select a range of files" : "Chagua anuwai ya faili", + "Navigate to the parent folder" : "Nenda kwenye kisanduku kikuu", + "Navigate to the file above" : "Sogea kwenye faili la juu", + "Navigate to the file below" : "Sogea kwenye faili la chini", + "Navigate to the file on the left (in grid mode)" : "Sogea kwenye faili la kushoto (in grid mode)", + "Navigate to the file on the right (in grid mode)" : "Sogea kwenye faili la kulia ( in grid mode)", + "Toggle the grid view" : "Geuza mwonekano wa gridi", + "Open the sidebar for a file" : "Fungua utepe kwa faili" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files/l10n/sw.json b/apps/files/l10n/sw.json index 171e73b6e69..0e6d0634b64 100644 --- a/apps/files/l10n/sw.json +++ b/apps/files/l10n/sw.json @@ -113,9 +113,6 @@ "Name" : "Jina", "File type" : "Aina ya faili", "Size" : "Ukubwa", - "\"{displayName}\" failed on some elements" : "\"{displayName} imeshindwa katika vipengele kadhaa", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" kitendo cha kundi kimetekelezwa kwa mafanikio", - "\"{displayName}\" action failed" : "\"{displayName}\" matendo yameshindwa", "Actions" : "Utendekaji", "(selected)" : "(iliyochaguliwa)", "List of files and folders." : "Orodha ya faili na visanduku", @@ -124,11 +121,7 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Orodha hii haijatolewa kikamilifu kwa sababu za utendaji. Faili zitatolewa unapopitia orodha.", "File not found" : "Faili halipatikani", "_{count} selected_::_{count} selected_" : ["{count} selected","{count} iliyochaguliwa"], - "Search globally by filename …" : "Tafuta kimataifa kwa jina la faili", - "Search here by filename …" : "Tafuta hapa kwa jina la faili", "Search scope options" : "Chaguo za upeo wa utafutaji", - "Filter and search from this location" : "Chuja na utafute kutoka eneo hili", - "Search globally" : "Tafuta kimataifa", "{usedQuotaByte} used" : "{usedQuotaByte}imetumika", "{used} of {quota} used" : "{used} ya {quota}imetumika", "{relative}% used" : "{relative}% imetumika", @@ -178,7 +171,6 @@ "Error during upload: {message}" : "Hitilafu wakati wa kupakia: {message}", "Error during upload, status code {status}" : "Hitilafu wakati wa kupakia, msimbo wa hali {status}", "Unknown error during upload" : "Hitilafu isiyojulikana wakati wa kupakia", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" kitendo kimetekelezwa kwa mafanikio", "Loading current folder" : "Inapakia faili ya sasa", "Retry" : "Jaribu tene", "No files in here" : "Hakuna faili hapa", @@ -193,49 +185,33 @@ "No search results for “{query}”" : "Hakuna matokeo ya utafutaji kwa {query}", "Search for files" : "Tafuta faili", "Clipboard is not available" : "Ubao wa kunakili haupatikani", - "WebDAV URL copied to clipboard" : "WavutiDAV URL umenakiliwa kwenye ubao wa kunakili", + "General" : "Kuu", "Default view" : "Mwonekano chaguomsingi", "All files" : "Faili zote", "Personal files" : "Faili binafsi", "Sort favorites first" : "Chagua za upendeleo kwanza", "Sort folders before files" : "Chagua vikasha kabla ya mafaili", - "Enable folder tree" : "Wezesha faili la tatu", - "Visual settings" : "Mipangilio ya kuona", + "Folder tree" : "Mti wa folda", + "Appearance" : "Mwonekano", "Show hidden files" : "Onesha mafaili yaliyofichwa", "Show file type column" : "Onyesha safu wima ya aina ya faili", "Crop image previews" : "Punguza onyesho la kukagua picha", - "Show files extensions" : "Onyesha viendelezi vya faili", "Additional settings" : "Mipangilio ya nyongeza", "WebDAV" : "WavutiDAV", "WebDAV URL" : "WavutiDAV URL", - "Copy to clipboard" : "Nakili kwenye ubao wa kunakili", - "Use this address to access your Files via WebDAV." : "Tumia anwani hii kufikia Faili zako kupitia WebDAV.", + "Copy" : "Nakili", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Uthibitishaji wa Mambo Mbili umewashwa kwa akaunti yako, na kwa hivyo unahitaji kutumia nenosiri la programu kuunganisha mteja wa nje wa WebDAV.", "Warnings" : "Maonyo", - "Prevent warning dialogs from open or reenable them." : "Zuia mazungumzo ya onyo yasifunguliwe au uwashe upya.", - "Show a warning dialog when changing a file extension." : "Onyesha mazungumzo ya onyo unapobadilisha kiendelezi cha faili.", - "Show a warning dialog when deleting files." : "Onesha mazungumzo ya onyo wakati wa kufuta faili.", "Keyboard shortcuts" : "Mikato ya keyboard", - "Speed up your Files experience with these quick shortcuts." : "Ongeza kasi ya utumiaji wa Faili zako kwa njia hizi za mkato za haraka.", - "Open the actions menu for a file" : "Fungua menyu ya vitendo kwa faili", - "Rename a file" : "Ita faili jina jipya", - "Delete a file" : "Futa faili", - "Favorite or remove a file from favorites" : "Pendwa au ondoa faili kutoka pendwa", - "Manage tags for a file" : "simamia maoni kwa faili", + "File actions" : "Matendo ya faili", + "Rename" : "Ipe jina jipya", + "Delete" : "Futa", + "Manage tags" : "Simamia lebo", "Selection" : "Machaguo", "Select all files" : "Chagua faili zote", - "Deselect all files" : "Usichague faili zote", - "Select or deselect a file" : "Chagua au usichague faili", - "Select a range of files" : "Chagua anuwai ya faili", + "Deselect all" : "Acha kuchagua zote", "Navigation" : "Uendeshaji", - "Navigate to the parent folder" : "Nenda kwenye kisanduku kikuu", - "Navigate to the file above" : "Sogea kwenye faili la juu", - "Navigate to the file below" : "Sogea kwenye faili la chini", - "Navigate to the file on the left (in grid mode)" : "Sogea kwenye faili la kushoto (in grid mode)", - "Navigate to the file on the right (in grid mode)" : "Sogea kwenye faili la kulia ( in grid mode)", "View" : "Angalia", - "Toggle the grid view" : "Geuza mwonekano wa gridi", - "Open the sidebar for a file" : "Fungua utepe kwa faili", "Show those shortcuts" : "Onesha mikato hiyo", "You" : "Wewe", "Shared multiple times with different people" : "Imeshirikiwa mara nyingi na watu tofauti", @@ -274,7 +250,6 @@ "Delete files" : "Futa faili", "Delete folder" : "Futa kisanduku", "Delete folders" : "Futa visanduku", - "Delete" : "Futa", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["You are about to permanently delete {count} item","Unakaribia kufuta vipengee {count}kabisa"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["You are about to delete {count} item","Unakaribia kufuta vipengee{count}"], "Confirm deletion" : "Thibitisha ufutaji", @@ -292,7 +267,6 @@ "The file does not exist anymore" : "Faili halipo tena", "Choose destination" : "Chagua eneo lengwa", "Copy to {target}" : "Nakili kwenda {target}", - "Copy" : "Nakili", "Move to {target}" : "Hamishia {target}", "Move" : "Hamisha", "Move or copy operation failed" : "Operesheni ya kuhamisha au kunakili imeshindikana", @@ -305,8 +279,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Sasa faili inapaswa kufunguliwa kwenye kifaa chako. Ikiwa sivyo, tafadhali hakikisha kuwa umesakinisha programu ya eneo-kazi.", "Retry and close" : "Jaribu upya kisha funga", "Open online" : "Fungua mtandaoni", - "Rename" : "Ipe jina jipya", - "Open details" : "Fungua maelezo", + "Details" : "Maelezo ya kina", "View in folder" : "Angalia ndani ya kisanduku", "Today" : "Leo", "Last 7 days" : "Siku 7 zilizopita", @@ -319,7 +292,7 @@ "PDFs" : "PDFs", "Folders" : "Visanduku", "Audio" : "Sauti", - "Photos and images" : "Picha na taswira", + "Images" : "Picha", "Videos" : "Picha mjongeo", "Created new folder \"{name}\"" : "Imetengeneza kisanduku kipya \"{name}\"", "Unable to initialize the templates directory" : "Haikuweza kuanzisha saraka ya violezo", @@ -346,7 +319,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Jina \"{newName}\" tayari linatumika katika kisanduku \"{dir}\". Tafadhali chagua jina tofauti", "Could not rename \"{oldName}\"" : "Haikuweza kuita jina jipya \"{oldName}\"", "This operation is forbidden" : "Opereshini hii imezuiwa", - "This directory is unavailable, please check the logs or contact the administrator" : "Orodha haipatikani, tafadhali angalia uingiaji au wasiliana na msimamizi", "Storage is temporarily not available" : "Uhifadhi haupo kwa muda", "Unexpected error: {error}" : "Hitilafu isiyotarajiwa {error}", "_%n file_::_%n files_" : ["%n file","%n faili"], @@ -361,7 +333,6 @@ "No favorites yet" : "Bado hakuna vinavyopendwa", "Files and folders you mark as favorite will show up here" : "Faili na visunduku ulivyoweka alama kama vipendwa vitaonekana hapa", "List of your files and folders." : "Orodha ya faili na vikasha vyako", - "Folder tree" : "Mti wa folda", "List of your files and folders that are not shared." : "Orodha ya faili na vikasha ambavyo havijashirikishwa", "No personal files found" : "Hakuna faili binafsi zilizopatikana", "Files that are not shared will show up here." : "Faili ambazo hazija shirikishwa zitaonekana hapa", @@ -400,12 +371,12 @@ "Edit locally" : "Hariri kikawaida", "Open" : "Fungua", "Could not load info for file \"{file}\"" : "Isingeweza kupakia taarifa kwa faili \"{file}\"", - "Details" : "Maelezo ya kina", "Please select tag(s) to add to the selection" : "Tafadhali chagua lebo za kuongeza kwenye uteuzi", "Apply tag(s) to selection" : "Omba lebo kwenye uteuzi", "Select directory \"{dirName}\"" : "Teua orodha \"{dirName}\"", "Select file \"{fileName}\"" : "Teua faili \"{fileName}\"", "Unable to determine date" : "Haiwezi kuamua tarehe", + "This directory is unavailable, please check the logs or contact the administrator" : "Orodha haipatikani, tafadhali angalia uingiaji au wasiliana na msimamizi", "Could not move \"{file}\", target exists" : "Haikuweza kuhamisha \"{file}\" lengo lililopo", "Could not move \"{file}\"" : "Haiwezi kuhamisha \"{file}\"", "copy" : "Nakili", @@ -453,15 +424,24 @@ "Not favored" : "Haikupendwa", "An error occurred while trying to update the tags" : "Hitilafu imetokea wakati ikijaribu kusasisha lebo", "Upload (max. %s)" : "Pakia (kiwango cha juu. %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" kitendo kimetekelezwa kwa mafanikio", + "\"{displayName}\" action failed" : "\"{displayName}\" matendo yameshindwa", + "\"{displayName}\" failed on some elements" : "\"{displayName} imeshindwa katika vipengele kadhaa", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" kitendo cha kundi kimetekelezwa kwa mafanikio", "Submitting fields…" : "Inawasilisha migunda", "Filter filenames…" : "Chuja majina ya faili", + "WebDAV URL copied to clipboard" : "WavutiDAV URL umenakiliwa kwenye ubao wa kunakili", "Enable the grid view" : "Wezesha mwonekano wa gridi", + "Enable folder tree" : "Wezesha faili la tatu", + "Copy to clipboard" : "Nakili kwenye ubao wa kunakili", "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", + "Open details" : "Fungua maelezo", + "Photos and images" : "Picha na taswira", "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} "], @@ -475,6 +455,24 @@ "%1$s (renamed)" : "%1$s (iliyopew jina jipya)", "renamed file" : "Faili iliyopewa jina jipya", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Baada ya kuwezesha majina ya windows ya faili yanayooana, faili zilizopo haziwezi kurekebishwa tena lakini zinaweza kubadilishwa kuwa majina mapya halali na mmiliki wao.", - "Filter file names …" : "Chuja majina ya faili..." + "Filter file names …" : "Chuja majina ya faili...", + "Prevent warning dialogs from open or reenable them." : "Zuia mazungumzo ya onyo yasifunguliwe au uwashe upya.", + "Show a warning dialog when changing a file extension." : "Onyesha mazungumzo ya onyo unapobadilisha kiendelezi cha faili.", + "Speed up your Files experience with these quick shortcuts." : "Ongeza kasi ya utumiaji wa Faili zako kwa njia hizi za mkato za haraka.", + "Open the actions menu for a file" : "Fungua menyu ya vitendo kwa faili", + "Rename a file" : "Ita faili jina jipya", + "Delete a file" : "Futa faili", + "Favorite or remove a file from favorites" : "Pendwa au ondoa faili kutoka pendwa", + "Manage tags for a file" : "simamia maoni kwa faili", + "Deselect all files" : "Usichague faili zote", + "Select or deselect a file" : "Chagua au usichague faili", + "Select a range of files" : "Chagua anuwai ya faili", + "Navigate to the parent folder" : "Nenda kwenye kisanduku kikuu", + "Navigate to the file above" : "Sogea kwenye faili la juu", + "Navigate to the file below" : "Sogea kwenye faili la chini", + "Navigate to the file on the left (in grid mode)" : "Sogea kwenye faili la kushoto (in grid mode)", + "Navigate to the file on the right (in grid mode)" : "Sogea kwenye faili la kulia ( in grid mode)", + "Toggle the grid view" : "Geuza mwonekano wa gridi", + "Open the sidebar for a file" : "Fungua utepe kwa faili" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/th.js b/apps/files/l10n/th.js deleted file mode 100644 index 07a3c22fb01..00000000000 --- a/apps/files/l10n/th.js +++ /dev/null @@ -1,245 +0,0 @@ -OC.L10N.register( - "files", - { - "Added to favorites" : "เพิ่มในรายการโปรดแล้ว", - "Removed from favorites" : "เอาออกจากรายการโปรดแล้ว", - "You added {file} to your favorites" : "คุณได้เพิ่ม {file} ในรายการโปรดของคุณ", - "You removed {file} from your favorites" : "คุณได้เอา {file} ออกจากรายการโปรดของคุณ", - "Favorites" : "รายการโปรด", - "File changes" : "การเปลี่ยนแปลงไฟล์", - "Created by {user}" : "สร้างโดย {user}", - "Changed by {user}" : "เปลี่ยนแปลงโดย {user}", - "Deleted by {user}" : "ลบโดย {user}", - "Restored by {user}" : "กู้คืนโดย {user}", - "Renamed by {user}" : "เปลี่ยนชื่อโดย {user}", - "Moved by {user}" : "ย้ายโดย {user}", - "\"remote account\"" : "\"บัญชีระยะไกล\"", - "You created {file}" : "คุณได้สร้าง {file}", - "You created an encrypted file in {file}" : "คุณได้สร้างไฟล์ที่เข้ารหัสใน {file}", - "{user} created {file}" : "{user} ได้สร้าง {file}", - "{user} created an encrypted file in {file}" : "{user} ได้สร้างไฟล์ที่เข้ารหัสใน {file}", - "{file} was created in a public folder" : "{file} ถูกสร้างขึ้นในโฟลเดอร์สาธารณะ", - "You changed {file}" : "คุณได้เปลี่ยนแปลง {file}", - "You changed an encrypted file in {file}" : "คุณได้เปลี่ยนแปลงไฟล์ที่เข้ารหัสใน {file}", - "{user} changed {file}" : "{user} ได้เปลี่ยนแปลง {file}", - "{user} changed an encrypted file in {file}" : "{user} ได้เปลี่ยนแปลงไฟล์ที่เข้ารหัสใน {file}", - "You deleted {file}" : "คุณได้ลบ {file}", - "You deleted an encrypted file in {file}" : "คุณได้ลบไฟล์ที่เข้ารหัสใน {file}", - "{user} deleted {file}" : "{user} ได้ลบ {file}", - "{user} deleted an encrypted file in {file}" : "{user} ได้ลบไฟล์ที่เข้ารหัสใน {file}", - "You restored {file}" : "คุณได้กู้คืน {file}", - "{user} restored {file}" : "{user} ได้กู้คืน {file}", - "You renamed {oldfile} (hidden) to {newfile} (hidden)" : "คุณได้เปลี่ยนชื่อ {oldfile} (ซ่อนอยู่) เป็น {newfile} (ซ่อนอยู่)", - "You renamed {oldfile} (hidden) to {newfile}" : "คุณได้เปลี่ยนชื่อ {oldfile} (ซ่อนอยู่) เป็น {newfile}", - "You renamed {oldfile} to {newfile} (hidden)" : "คุณได้เปลี่ยนชื่อ {oldfile} เป็น {newfile} (ซ่อนอยู่)", - "You renamed {oldfile} to {newfile}" : "คุณได้เปลี่ยนชื่อ {oldfile} เป็น {newfile}", - "{user} renamed {oldfile} (hidden) to {newfile} (hidden)" : "{user} ได้เปลี่ยนชื่อ {oldfile} (ซ่อนอยู่) เป็น {newfile} (ซ่อนอยู่)", - "{user} renamed {oldfile} (hidden) to {newfile}" : "{user} ได้เปลี่ยนชื่อ {oldfile} (ซ่อนอยู่) เป็น {newfile}", - "{user} renamed {oldfile} to {newfile} (hidden)" : "{user} ได้เปลี่ยนชื่อ {oldfile} เป็น {newfile} (ซ่อนอยู่)", - "{user} renamed {oldfile} to {newfile}" : "{user} ได้เปลี่ยนชื่อ {oldfile} เป็น {newfile}", - "You moved {oldfile} to {newfile}" : "คุณได้ย้าย {oldfile} ไปยัง {newfile}", - "{user} moved {oldfile} to {newfile}" : "{user} ได้ย้าย {oldfile} ไปยัง {newfile}", - "A file has been added to or removed from your <strong>favorites</strong>" : "มีไฟล์ที่ถูกเพิ่มเข้าหรือเอาออกจาก<strong>รายการโปรด</strong>ของคุณ", - "Files" : "ไฟล์", - "A file or folder has been <strong>changed</strong>" : "มีไฟล์หรือโฟลเดอร์ที่มีการ<strong>เปลี่ยนแปลง</strong>", - "A favorite file or folder has been <strong>changed</strong>" : "มีไฟล์หรือโฟลเดอร์ในรายการโปรดที่มีการ<strong>เปลี่ยนแปลง</strong>", - "No favorites" : "ยังไม่มีรายการโปรด", - "Accept" : "ยอมรับ", - "Reject" : "ปฏิเสธ", - "Incoming ownership transfer from {user}" : "คำขอการโอนย้ายความเป็นเจ้าของจาก {user}", - "Do you want to accept {path}?\n\nNote: The transfer process after accepting may take up to 1 hour." : "คุณต้องการยอมรับ {path} หรือไม่?\n\nหมายเหตุ: หลังยอมรับแล้ว กระบวนการโอนย้ายอาจใช้เวลาสูงสุด 1 ชั่วโมง", - "Ownership transfer failed" : "การโอนย้ายความเป็นเจ้าของล้มเหลว", - "Your ownership transfer of {path} to {user} failed." : "การโอนย้ายความเป็นเจ้าของของคุณของ {path} ไปยัง {user} ล้มเหลว", - "The ownership transfer of {path} from {user} failed." : "การโอนย้ายความเป็นเจ้าของของ {path} จาก {user} ล้มเหลว", - "Ownership transfer done" : "การโอนย้ายความเป็นเจ้าของสำเร็จ", - "Your ownership transfer of {path} to {user} has completed." : "การโอนย้ายความเป็นเจ้าของของคุณของ {path} ไปยัง {user} สำเร็จแล้ว", - "The ownership transfer of {path} from {user} has completed." : "การโอนย้ายความเป็นเจ้าของของ {path} จาก {user} สำเร็จแล้ว", - "in %s" : "ใน %s", - "File Management" : "การจัดการไฟล์", - "Home" : "หน้าหลัก", - "Target folder does not exist any more" : "ไม่มีโฟลเดอร์เป้าหมายอีกต่อไป", - "Favorite" : "รายการโปรด", - "Filename" : "ชื่อไฟล์", - "Folder name" : "ชื่อโฟลเดอร์", - "Folder" : "โฟลเดอร์", - "Pending" : "อยู่ระหว่างดำเนินการ", - "Modified" : "แก้ไขเมื่อ", - "Search everywhere" : "ค้นหาในทุกที่", - "Type" : "ประเภท", - "Name" : "ชื่อ", - "Size" : "ขนาด", - "Actions" : "การกระทำ", - "File not found" : "ไม่พบไฟล์", - "_{count} selected_::_{count} selected_" : ["เลือก {count} รายการ"], - "{usedQuotaByte} used" : "ใช้ไป {usedQuotaByte}", - "{used} of {quota} used" : "ใช้ไป {used} จาก {quota}", - "{relative}% used" : "ใช้ไป {relative}%", - "Could not refresh storage stats" : "ไม่สามารถรีเฟรชสถิติพื้นที่จัดเก็บ", - "Your storage is full, files can not be updated or synced anymore!" : "พื้นที่จัดเก็บข้อมูลของคุณเต็มแล้ว ไม่สามารถอัปเดตหรือซิงค์ไฟล์ได้อีก!", - "New folder" : "โฟลเดอร์ใหม่", - "Create new folder" : "สร้างโฟลเดอร์ใหม่", - "Create" : "สร้าง", - "Submit" : "ส่ง", - "Choose a file or folder to transfer" : "เลือกไฟล์หรือโฟลเดอร์ที่จะโอนย้าย", - "Transfer" : "โอนย้าย", - "Transfer {path} to {userid}" : "โอนย้าย {path} ไปยัง {userid}", - "Invalid path selected" : "เลือกเส้นทางไม่ถูกต้อง", - "Unknown error" : "ข้อผิดพลาดที่ไม่รู้จัก", - "Ownership transfer request sent" : "ส่งคำขอโอนย้ายความเป็นเจ้าของแล้ว", - "Cannot transfer ownership of a file or folder you do not own" : "ไม่สามารถโอนย้ายความเป็นเจ้าของไฟล์หรือโฟลเดอร์ที่คุณไม่ได้เป็นเจ้าของ", - "Transfer ownership of a file or folder" : "โอนย้ายความเป็นเจ้าของไฟล์หรือโฟลเดอร์", - "Choose file or folder to transfer" : "เลือกไฟล์หรือโฟลเดอร์ที่จะโอนย้าย", - "Change" : "เปลี่ยนแปลง", - "New owner" : "เจ้าของใหม่", - "Choose {file}" : "เลือก {file}", - "Shared by link" : "แชร์โดยลิงก์", - "Shared" : "ถูกแชร์", - "Not enough free space" : "พื้นที่ว่างไม่เพียงพอ", - "Operation is blocked by access control" : "การดำเนินการถูกห้ามไว้โดยการควบคุมการเข้าถึง", - "No files in here" : "ไม่มีไฟล์ที่นี่", - "Upload some content or sync with your devices!" : "ลองอัปโหลดเนื้อหาหรือซิงค์กับอุปกรณ์อื่นของคุณ", - "Go back" : "กลับไป", - "Files settings" : "การตั้งค่าไฟล์", - "Clipboard is not available" : "คลิปบอร์ดไม่พร้อมใช้งาน", - "All files" : "ไฟล์ทั้งหมด", - "Personal files" : "ไฟล์ส่วนตัว", - "Show hidden files" : "แสดงไฟล์ที่ซ่อนอยู่", - "Crop image previews" : "ครอปตัดรูปภาพตัวอย่าง", - "Additional settings" : "การตั้งค่าเพิ่มเติม", - "WebDAV" : "WebDAV", - "Copy to clipboard" : "คัดลอกไปยังคลิปบอร์ด", - "Keyboard shortcuts" : "แป้นพิมพ์ลัด", - "View" : "มุมมอง", - "Error while loading the file data" : "ข้อผิดพลาดขณะโหลดข้อมูลไฟล์", - "Owner" : "เจ้าของ", - "Remove from favorites" : "เอาออกจากรายการโปรด", - "Add to favorites" : "เพิ่มในรายการโปรด", - "Tags" : "แท็ก", - "Blank" : "ว่าง", - "Unable to create new file from template" : "ไม่สามารถสร้างไฟล์ใหม่จากเทมเพลต", - "Pick a template for {name}" : "เลือกเทมเพลตสำหรับ {name}", - "Create a new file with the selected template" : "สร้างไฟล์ใหม่ด้วยเทมเพลตที่เลือก", - "Creating file" : "กำลังสร้างไฟล์", - "Leave this share" : "ออกจากการแชร์นี้", - "Leave these shares" : "ออกจากการแชร์เหล่านี้", - "Disconnect storage" : "ยกเลิกการเชื่อมต่อพื้นที่จัดเก็บข้อมูล", - "Disconnect storages" : "เลิกเชื่อมต่อพื้นที่จัดเก็บข้อมูล", - "Delete permanently" : "ลบแบบถาวร", - "Delete file" : "ลบไฟล์", - "Delete files" : "ลบไฟล์", - "Delete folders" : "ลบโฟลเดอร์", - "Delete" : "ลบ", - "Cancel" : "ยกเลิก", - "Download" : "ดาวน์โหลด", - "Copy to {target}" : "คัดลอกไปยัง {target}", - "Copy" : "คัดลอก", - "Move to {target}" : "ย้ายไปยัง {target}", - "Move" : "ย้าย", - "Move or copy" : "ย้ายหรือคัดลอก", - "Failed to redirect to client" : "เปลี่ยนเส้นทางไปยังไคลเอ็นต์ล้มเหลว", - "Rename" : "เปลี่ยนชื่อ", - "View in folder" : "ดูในโฟลเดอร์", - "Today" : "วันนี้", - "Last 7 days" : "ภายใน 7 วัน", - "Last 30 days" : "ภายใน 30 วัน", - "Folders" : "โฟลเดอร์", - "Audio" : "เสียง", - "Videos" : "วิดีโอ", - "Unable to initialize the templates directory" : "ไม่สามารถเตรียมไดเรกทอรีเทมเพลต", - "Templates" : "เทมเพลต", - "Some files could not be moved" : "ไม่สามารถย้ายบางไฟล์", - "Could not rename \"{oldName}\", it does not exist any more" : "ไม่สามารถเปลี่ยนชื่อไฟล์ \"{oldName}\" ไฟล์นั้นไม่มีอยู่", - "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "ชื่อ \"{newName}\" มีอยู่แล้วในโฟลเดอร์ \"{dir}\" กรุณาเปลี่ยนชื่อใหม่", - "Could not rename \"{oldName}\"" : "ไม่สามารถเปลี่ยนชื่อไฟล์ \"{oldName}\"", - "This operation is forbidden" : "การดำเนินการนี้ถูกห้าม", - "This directory is unavailable, please check the logs or contact the administrator" : "ไม่สามารถใช้งานไดเรกทอรีนี้ โปรดตรวจสอบบันทึกหรือติดต่อผู้ดูแลระบบ", - "Storage is temporarily not available" : "พื้นที่จัดเก็บข้อมูลไม่สามารถใช้งานได้ชั่วคราว", - "_%n file_::_%n files_" : ["%n ไฟล์"], - "_%n folder_::_%n folders_" : ["%n โฟลเดอร์"], - "No favorites yet" : "ยังไม่มีรายการโปรด", - "Files and folders you mark as favorite will show up here" : "ไฟล์และโฟลเดอร์ที่คุณระบุเป็นรายการโปรดจะแสดงที่นี่", - "Recent" : "ล่าสุด", - "Search" : "ค้นหา", - "No entries found in this folder" : "ไม่พบรายการในโฟลเดอร์นี้", - "Select all" : "เลือกทั้งหมด", - "Upload too large" : "ไฟล์ที่อัปโหลดมีขนาดใหญ่เกินไป", - "The files you are trying to upload exceed the maximum size for file uploads on this server." : "ไฟล์ที่คุณพยายามที่จะอัปโหลดมีขนาดเกินกว่าขนาดสูงสุดที่อัปโหลดได้สำหรับเซิร์ฟเวอร์นี้", - "File could not be found" : "ไม่พบไฟล์", - "Show list view" : "แสดงมุมมองรายการ", - "Show grid view" : "แสดงมุมมองตาราง", - "Close" : "ปิด", - "Could not create folder \"{dir}\"" : "ไม่สามารถสร้างโฟลเดอร์ \"{dir}\"", - "This will stop your current uploads." : "การกระทำนี้จะหยุดการอัปโหลดปัจจุบันของคุณ", - "Upload cancelled." : "การอัปโหลดถูกยกเลิก", - "Processing files …" : "กำลังประมวลผลไฟล์ …", - "…" : "…", - "Unable to upload {filename} as it is a directory or has 0 bytes" : "ไม่สามารถอัปโหลด {filename} เนื่องจากเป็นไดเรกทอรีหรือมี 0 ไบต์", - "Not enough free space, you are uploading {size1} but only {size2} is left" : "พื้นที่ว่างไม่เพียงพอ คุณกำลังจะอัปโหลด {size1} แต่เหลือพื้นที่แค่ {size2}", - "Target folder \"{dir}\" does not exist any more" : "ไม่มีโฟลเดอร์เป้าหมาย \"{dir}\" อีกต่อไป", - "An unknown error has occurred" : "เกิดข้อผิดพลาดที่ไม่รู้จัก", - "File could not be uploaded" : "ไม่สามารถอัปโหลดไฟล์", - "Uploading …" : "กำลังอัปโหลด …", - "{remainingTime} ({currentNumber}/{total})" : "{remainingTime} ({currentNumber}/{total})", - "Uploading … ({currentNumber}/{total})" : "กำลังอัปโหลด … ({currentNumber}/{total})", - "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} จาก {totalSize} ({bitrate})", - "Uploading that item is not supported" : "ไม่รองรับการอัปโหลดสิ่งนั้น", - "Error when assembling chunks, status code {status}" : "ข้อผิดพลาดขณะประกอบกลุ่ม รหัสสถานะ {status}", - "Choose target folder" : "เลือกโฟลเดอร์เป้าหมาย", - "Edit locally" : "แก้ไขในต้นทาง", - "Open" : "เปิด", - "Could not load info for file \"{file}\"" : "ไม่สามารถโหลดข้อมูลสำหรับไฟล์ \"{file}\"", - "Details" : "รายละเอียด", - "Please select tag(s) to add to the selection" : "กรุณาเลือกแท็กเพื่อเพิ่มเข้าไปในรายการที่เลือก", - "Apply tag(s) to selection" : "นำแท็กไปใช้ในรายการที่เลือก", - "Select directory \"{dirName}\"" : "เลือกไดเร็กทอรี \"{dirName}\"", - "Select file \"{fileName}\"" : "เลือกไฟล์ \"{fileName}\"", - "Unable to determine date" : "ไม่สามารถระบุวัน", - "Could not move \"{file}\", target exists" : "ไม่สามารถย้าย \"{file}\" เป้าหมายมีอยู่แล้ว", - "Could not move \"{file}\"" : "ไม่สามารถย้ายไฟล์ \"{file}\"", - "copy" : "คัดลอก", - "Could not copy \"{file}\", target exists" : "ไม่สามารถคัดลอก \"{file}\" เป้าหมายมีอยู่แล้ว", - "Could not copy \"{file}\"" : "ไม่สามารถคัดลอก \"{file}\"", - "Copied {origin} inside {destination}" : "คัดลอก {origin} ไว้ใน {destination} แล้ว", - "Copied {origin} and {nbfiles} other files inside {destination}" : "คัดลอก {origin} และ {nbfiles} ไฟล์อื่น ๆ ไว้ใน {destination} แล้ว", - "{newName} already exists" : "{newName} มีอยู่แล้ว", - "Could not create file \"{file}\"" : "ไม่สามารถสร้างไฟล์ \"{file}\"", - "Could not create file \"{file}\" because it already exists" : "ไม่สามารถสร้างไฟล์ \"{file}\" เพราะมันมีอยู่แล้ว", - "Could not create folder \"{dir}\" because it already exists" : "ไม่สามารถสร้างโฟลเดอร์ \"{dir}\" เพราะมันมีอยู่แล้ว", - "Could not fetch file details \"{file}\"" : "ไม่สามารถดึงข้อมูลไฟล์ \"{file}\"", - "Error deleting file \"{fileName}\"." : "เกิดข้อผิดพลาดขณะลบไฟล์ \"{fileName}\"", - "No search results in other folders for {tag}{filter}{endtag}" : "ไม่มีผลลัพธ์การค้นหาในโฟลเดอร์อื่นสำหรับ {tag}{filter}{endtag}", - "Enter more than two characters to search in other folders" : "ใส่มากกว่า 2 ตัวอักษร เพื่อค้นหาในโฟลเดอร์อื่น", - "{dirs} and {files}" : "{dirs} และ {files}", - "_including %n hidden_::_including %n hidden_" : ["รวมถึง %n ไฟล์ที่ซ่อนอยู่"], - "You do not have permission to upload or create files here" : "คุณไม่ได้รับอนุญาตให้อัปโหลดหรือสร้างไฟล์ที่นี่", - "_Uploading %n file_::_Uploading %n files_" : ["กำลังอัปโหลด %n ไฟล์"], - "New" : "ใหม่", - "New file/folder menu" : "เมนูไฟล์/โฟลเดอร์ใหม่", - "Select file range" : "เลือกช่วงไฟล์", - "{used}%" : "{used}%", - "{used} used" : "ใช้ไป {used}", - "\"{name}\" is an invalid file name." : "\"{name}\" เป็นชื่อไฟล์ที่ไม่ถูกต้อง", - "File name cannot be empty." : "ชื่อไฟล์ไม่สามารถเว้นว่างได้", - "\"/\" is not allowed inside a file name." : "ไม่อนุญาตให้ใช้ \"/\" ในชื่อไฟล์", - "\"{name}\" is not an allowed filetype" : "\"{name}\" เป็นประเภทไฟล์ที่ไม่ได้รับอนุญาต", - "Storage of {owner} is full, files cannot be updated or synced anymore!" : "พื้นที่จัดเก็บข้อมูลของ {owner} เต็มแล้ว ไม่สามารถอัปเดตหรือซิงค์ไฟล์ได้อีก!", - "Group folder \"{mountPoint}\" is full, files cannot be updated or synced anymore!" : "โฟลเดอร์กลุ่ม \"{mountPoint}\" เต็มแล้ว ไม่สามารถอัปเดตหรือซิงค์ไฟล์ได้อีก!", - "External storage \"{mountPoint}\" is full, files cannot be updated or synced anymore!" : "พื้นที่จัดเก็บข้อมูลภายนอก \"{mountPoint}\" เต็มแล้ว ไม่สามารถอัปเดตหรือซิงค์ไฟล์ได้อีก!", - "Your storage is full, files cannot be updated or synced anymore!" : "พื้นที่จัดเก็บข้อมูลของคุณเต็มแล้ว ไม่สามารถอัปเดตหรือซิงค์ไฟล์ได้อีก!", - "Storage of {owner} is almost full ({usedSpacePercent}%)." : "พื้นที่จัดเก็บข้อมูลของ {owner} ใกล้เต็มแล้ว ({usedSpacePercent}%)", - "Group folder \"{mountPoint}\" is almost full ({usedSpacePercent}%)." : "โฟลเดอร์กลุ่ม \"{mountPoint}\" ใกล้เต็มแล้ว ({usedSpacePercent}%)", - "External storage \"{mountPoint}\" is almost full ({usedSpacePercent}%)." : "พื้นที่จัดเก็บข้อมูลภายนอก \"{mountPoint}\" ใกล้เต็มแล้ว ({usedSpacePercent}%)", - "Your storage is almost full ({usedSpacePercent}%)." : "พื้นที่จัดเก็บข้อมูลของคุณใกล้เต็มแล้ว ({usedSpacePercent}%)", - "_matches \"{filter}\"_::_match \"{filter}\"_" : ["ตรงกับ \"{filter}\""], - "Direct link was copied (only works for people who have access to this file/folder)" : "คัดลอกลิงก์โดยตรงแล้ว (ใช้ได้เฉพาะผู้ใช้ที่มีสิทธิ์เข้าถึงไฟล์/โฟลเดอร์นี้)", - "Path" : "เส้นทาง", - "_%n byte_::_%n bytes_" : ["%n ไบต์"], - "Copy direct link (only works for people who have access to this file/folder)" : "คัดลอกลิงก์โดยตรง (ใช้ได้เฉพาะผู้ใช้ที่มีสิทธิ์เข้าถึงไฟล์/โฟลเดอร์นี้)", - "Upload file" : "อัปโหลดไฟล์", - "An error occurred while trying to update the tags" : "เกิดข้อผิดพลาดขณะกำลังพยายามอัปเดตแท็ก", - "Upload (max. %s)" : "อัปโหลด (สูงสุด %s)", - "Use this address to access your Files via WebDAV" : "ใช้ที่อยู่นี้เพื่อเข้าถึงไฟล์ของคุณผ่าน WebDAV", - "Text file" : "ไฟล์ข้อความ", - "New text file.txt" : "ไฟล์ข้อความใหม่.txt" -}, -"nplurals=1; plural=0;"); diff --git a/apps/files/l10n/th.json b/apps/files/l10n/th.json deleted file mode 100644 index a1e92ecddf6..00000000000 --- a/apps/files/l10n/th.json +++ /dev/null @@ -1,243 +0,0 @@ -{ "translations": { - "Added to favorites" : "เพิ่มในรายการโปรดแล้ว", - "Removed from favorites" : "เอาออกจากรายการโปรดแล้ว", - "You added {file} to your favorites" : "คุณได้เพิ่ม {file} ในรายการโปรดของคุณ", - "You removed {file} from your favorites" : "คุณได้เอา {file} ออกจากรายการโปรดของคุณ", - "Favorites" : "รายการโปรด", - "File changes" : "การเปลี่ยนแปลงไฟล์", - "Created by {user}" : "สร้างโดย {user}", - "Changed by {user}" : "เปลี่ยนแปลงโดย {user}", - "Deleted by {user}" : "ลบโดย {user}", - "Restored by {user}" : "กู้คืนโดย {user}", - "Renamed by {user}" : "เปลี่ยนชื่อโดย {user}", - "Moved by {user}" : "ย้ายโดย {user}", - "\"remote account\"" : "\"บัญชีระยะไกล\"", - "You created {file}" : "คุณได้สร้าง {file}", - "You created an encrypted file in {file}" : "คุณได้สร้างไฟล์ที่เข้ารหัสใน {file}", - "{user} created {file}" : "{user} ได้สร้าง {file}", - "{user} created an encrypted file in {file}" : "{user} ได้สร้างไฟล์ที่เข้ารหัสใน {file}", - "{file} was created in a public folder" : "{file} ถูกสร้างขึ้นในโฟลเดอร์สาธารณะ", - "You changed {file}" : "คุณได้เปลี่ยนแปลง {file}", - "You changed an encrypted file in {file}" : "คุณได้เปลี่ยนแปลงไฟล์ที่เข้ารหัสใน {file}", - "{user} changed {file}" : "{user} ได้เปลี่ยนแปลง {file}", - "{user} changed an encrypted file in {file}" : "{user} ได้เปลี่ยนแปลงไฟล์ที่เข้ารหัสใน {file}", - "You deleted {file}" : "คุณได้ลบ {file}", - "You deleted an encrypted file in {file}" : "คุณได้ลบไฟล์ที่เข้ารหัสใน {file}", - "{user} deleted {file}" : "{user} ได้ลบ {file}", - "{user} deleted an encrypted file in {file}" : "{user} ได้ลบไฟล์ที่เข้ารหัสใน {file}", - "You restored {file}" : "คุณได้กู้คืน {file}", - "{user} restored {file}" : "{user} ได้กู้คืน {file}", - "You renamed {oldfile} (hidden) to {newfile} (hidden)" : "คุณได้เปลี่ยนชื่อ {oldfile} (ซ่อนอยู่) เป็น {newfile} (ซ่อนอยู่)", - "You renamed {oldfile} (hidden) to {newfile}" : "คุณได้เปลี่ยนชื่อ {oldfile} (ซ่อนอยู่) เป็น {newfile}", - "You renamed {oldfile} to {newfile} (hidden)" : "คุณได้เปลี่ยนชื่อ {oldfile} เป็น {newfile} (ซ่อนอยู่)", - "You renamed {oldfile} to {newfile}" : "คุณได้เปลี่ยนชื่อ {oldfile} เป็น {newfile}", - "{user} renamed {oldfile} (hidden) to {newfile} (hidden)" : "{user} ได้เปลี่ยนชื่อ {oldfile} (ซ่อนอยู่) เป็น {newfile} (ซ่อนอยู่)", - "{user} renamed {oldfile} (hidden) to {newfile}" : "{user} ได้เปลี่ยนชื่อ {oldfile} (ซ่อนอยู่) เป็น {newfile}", - "{user} renamed {oldfile} to {newfile} (hidden)" : "{user} ได้เปลี่ยนชื่อ {oldfile} เป็น {newfile} (ซ่อนอยู่)", - "{user} renamed {oldfile} to {newfile}" : "{user} ได้เปลี่ยนชื่อ {oldfile} เป็น {newfile}", - "You moved {oldfile} to {newfile}" : "คุณได้ย้าย {oldfile} ไปยัง {newfile}", - "{user} moved {oldfile} to {newfile}" : "{user} ได้ย้าย {oldfile} ไปยัง {newfile}", - "A file has been added to or removed from your <strong>favorites</strong>" : "มีไฟล์ที่ถูกเพิ่มเข้าหรือเอาออกจาก<strong>รายการโปรด</strong>ของคุณ", - "Files" : "ไฟล์", - "A file or folder has been <strong>changed</strong>" : "มีไฟล์หรือโฟลเดอร์ที่มีการ<strong>เปลี่ยนแปลง</strong>", - "A favorite file or folder has been <strong>changed</strong>" : "มีไฟล์หรือโฟลเดอร์ในรายการโปรดที่มีการ<strong>เปลี่ยนแปลง</strong>", - "No favorites" : "ยังไม่มีรายการโปรด", - "Accept" : "ยอมรับ", - "Reject" : "ปฏิเสธ", - "Incoming ownership transfer from {user}" : "คำขอการโอนย้ายความเป็นเจ้าของจาก {user}", - "Do you want to accept {path}?\n\nNote: The transfer process after accepting may take up to 1 hour." : "คุณต้องการยอมรับ {path} หรือไม่?\n\nหมายเหตุ: หลังยอมรับแล้ว กระบวนการโอนย้ายอาจใช้เวลาสูงสุด 1 ชั่วโมง", - "Ownership transfer failed" : "การโอนย้ายความเป็นเจ้าของล้มเหลว", - "Your ownership transfer of {path} to {user} failed." : "การโอนย้ายความเป็นเจ้าของของคุณของ {path} ไปยัง {user} ล้มเหลว", - "The ownership transfer of {path} from {user} failed." : "การโอนย้ายความเป็นเจ้าของของ {path} จาก {user} ล้มเหลว", - "Ownership transfer done" : "การโอนย้ายความเป็นเจ้าของสำเร็จ", - "Your ownership transfer of {path} to {user} has completed." : "การโอนย้ายความเป็นเจ้าของของคุณของ {path} ไปยัง {user} สำเร็จแล้ว", - "The ownership transfer of {path} from {user} has completed." : "การโอนย้ายความเป็นเจ้าของของ {path} จาก {user} สำเร็จแล้ว", - "in %s" : "ใน %s", - "File Management" : "การจัดการไฟล์", - "Home" : "หน้าหลัก", - "Target folder does not exist any more" : "ไม่มีโฟลเดอร์เป้าหมายอีกต่อไป", - "Favorite" : "รายการโปรด", - "Filename" : "ชื่อไฟล์", - "Folder name" : "ชื่อโฟลเดอร์", - "Folder" : "โฟลเดอร์", - "Pending" : "อยู่ระหว่างดำเนินการ", - "Modified" : "แก้ไขเมื่อ", - "Search everywhere" : "ค้นหาในทุกที่", - "Type" : "ประเภท", - "Name" : "ชื่อ", - "Size" : "ขนาด", - "Actions" : "การกระทำ", - "File not found" : "ไม่พบไฟล์", - "_{count} selected_::_{count} selected_" : ["เลือก {count} รายการ"], - "{usedQuotaByte} used" : "ใช้ไป {usedQuotaByte}", - "{used} of {quota} used" : "ใช้ไป {used} จาก {quota}", - "{relative}% used" : "ใช้ไป {relative}%", - "Could not refresh storage stats" : "ไม่สามารถรีเฟรชสถิติพื้นที่จัดเก็บ", - "Your storage is full, files can not be updated or synced anymore!" : "พื้นที่จัดเก็บข้อมูลของคุณเต็มแล้ว ไม่สามารถอัปเดตหรือซิงค์ไฟล์ได้อีก!", - "New folder" : "โฟลเดอร์ใหม่", - "Create new folder" : "สร้างโฟลเดอร์ใหม่", - "Create" : "สร้าง", - "Submit" : "ส่ง", - "Choose a file or folder to transfer" : "เลือกไฟล์หรือโฟลเดอร์ที่จะโอนย้าย", - "Transfer" : "โอนย้าย", - "Transfer {path} to {userid}" : "โอนย้าย {path} ไปยัง {userid}", - "Invalid path selected" : "เลือกเส้นทางไม่ถูกต้อง", - "Unknown error" : "ข้อผิดพลาดที่ไม่รู้จัก", - "Ownership transfer request sent" : "ส่งคำขอโอนย้ายความเป็นเจ้าของแล้ว", - "Cannot transfer ownership of a file or folder you do not own" : "ไม่สามารถโอนย้ายความเป็นเจ้าของไฟล์หรือโฟลเดอร์ที่คุณไม่ได้เป็นเจ้าของ", - "Transfer ownership of a file or folder" : "โอนย้ายความเป็นเจ้าของไฟล์หรือโฟลเดอร์", - "Choose file or folder to transfer" : "เลือกไฟล์หรือโฟลเดอร์ที่จะโอนย้าย", - "Change" : "เปลี่ยนแปลง", - "New owner" : "เจ้าของใหม่", - "Choose {file}" : "เลือก {file}", - "Shared by link" : "แชร์โดยลิงก์", - "Shared" : "ถูกแชร์", - "Not enough free space" : "พื้นที่ว่างไม่เพียงพอ", - "Operation is blocked by access control" : "การดำเนินการถูกห้ามไว้โดยการควบคุมการเข้าถึง", - "No files in here" : "ไม่มีไฟล์ที่นี่", - "Upload some content or sync with your devices!" : "ลองอัปโหลดเนื้อหาหรือซิงค์กับอุปกรณ์อื่นของคุณ", - "Go back" : "กลับไป", - "Files settings" : "การตั้งค่าไฟล์", - "Clipboard is not available" : "คลิปบอร์ดไม่พร้อมใช้งาน", - "All files" : "ไฟล์ทั้งหมด", - "Personal files" : "ไฟล์ส่วนตัว", - "Show hidden files" : "แสดงไฟล์ที่ซ่อนอยู่", - "Crop image previews" : "ครอปตัดรูปภาพตัวอย่าง", - "Additional settings" : "การตั้งค่าเพิ่มเติม", - "WebDAV" : "WebDAV", - "Copy to clipboard" : "คัดลอกไปยังคลิปบอร์ด", - "Keyboard shortcuts" : "แป้นพิมพ์ลัด", - "View" : "มุมมอง", - "Error while loading the file data" : "ข้อผิดพลาดขณะโหลดข้อมูลไฟล์", - "Owner" : "เจ้าของ", - "Remove from favorites" : "เอาออกจากรายการโปรด", - "Add to favorites" : "เพิ่มในรายการโปรด", - "Tags" : "แท็ก", - "Blank" : "ว่าง", - "Unable to create new file from template" : "ไม่สามารถสร้างไฟล์ใหม่จากเทมเพลต", - "Pick a template for {name}" : "เลือกเทมเพลตสำหรับ {name}", - "Create a new file with the selected template" : "สร้างไฟล์ใหม่ด้วยเทมเพลตที่เลือก", - "Creating file" : "กำลังสร้างไฟล์", - "Leave this share" : "ออกจากการแชร์นี้", - "Leave these shares" : "ออกจากการแชร์เหล่านี้", - "Disconnect storage" : "ยกเลิกการเชื่อมต่อพื้นที่จัดเก็บข้อมูล", - "Disconnect storages" : "เลิกเชื่อมต่อพื้นที่จัดเก็บข้อมูล", - "Delete permanently" : "ลบแบบถาวร", - "Delete file" : "ลบไฟล์", - "Delete files" : "ลบไฟล์", - "Delete folders" : "ลบโฟลเดอร์", - "Delete" : "ลบ", - "Cancel" : "ยกเลิก", - "Download" : "ดาวน์โหลด", - "Copy to {target}" : "คัดลอกไปยัง {target}", - "Copy" : "คัดลอก", - "Move to {target}" : "ย้ายไปยัง {target}", - "Move" : "ย้าย", - "Move or copy" : "ย้ายหรือคัดลอก", - "Failed to redirect to client" : "เปลี่ยนเส้นทางไปยังไคลเอ็นต์ล้มเหลว", - "Rename" : "เปลี่ยนชื่อ", - "View in folder" : "ดูในโฟลเดอร์", - "Today" : "วันนี้", - "Last 7 days" : "ภายใน 7 วัน", - "Last 30 days" : "ภายใน 30 วัน", - "Folders" : "โฟลเดอร์", - "Audio" : "เสียง", - "Videos" : "วิดีโอ", - "Unable to initialize the templates directory" : "ไม่สามารถเตรียมไดเรกทอรีเทมเพลต", - "Templates" : "เทมเพลต", - "Some files could not be moved" : "ไม่สามารถย้ายบางไฟล์", - "Could not rename \"{oldName}\", it does not exist any more" : "ไม่สามารถเปลี่ยนชื่อไฟล์ \"{oldName}\" ไฟล์นั้นไม่มีอยู่", - "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "ชื่อ \"{newName}\" มีอยู่แล้วในโฟลเดอร์ \"{dir}\" กรุณาเปลี่ยนชื่อใหม่", - "Could not rename \"{oldName}\"" : "ไม่สามารถเปลี่ยนชื่อไฟล์ \"{oldName}\"", - "This operation is forbidden" : "การดำเนินการนี้ถูกห้าม", - "This directory is unavailable, please check the logs or contact the administrator" : "ไม่สามารถใช้งานไดเรกทอรีนี้ โปรดตรวจสอบบันทึกหรือติดต่อผู้ดูแลระบบ", - "Storage is temporarily not available" : "พื้นที่จัดเก็บข้อมูลไม่สามารถใช้งานได้ชั่วคราว", - "_%n file_::_%n files_" : ["%n ไฟล์"], - "_%n folder_::_%n folders_" : ["%n โฟลเดอร์"], - "No favorites yet" : "ยังไม่มีรายการโปรด", - "Files and folders you mark as favorite will show up here" : "ไฟล์และโฟลเดอร์ที่คุณระบุเป็นรายการโปรดจะแสดงที่นี่", - "Recent" : "ล่าสุด", - "Search" : "ค้นหา", - "No entries found in this folder" : "ไม่พบรายการในโฟลเดอร์นี้", - "Select all" : "เลือกทั้งหมด", - "Upload too large" : "ไฟล์ที่อัปโหลดมีขนาดใหญ่เกินไป", - "The files you are trying to upload exceed the maximum size for file uploads on this server." : "ไฟล์ที่คุณพยายามที่จะอัปโหลดมีขนาดเกินกว่าขนาดสูงสุดที่อัปโหลดได้สำหรับเซิร์ฟเวอร์นี้", - "File could not be found" : "ไม่พบไฟล์", - "Show list view" : "แสดงมุมมองรายการ", - "Show grid view" : "แสดงมุมมองตาราง", - "Close" : "ปิด", - "Could not create folder \"{dir}\"" : "ไม่สามารถสร้างโฟลเดอร์ \"{dir}\"", - "This will stop your current uploads." : "การกระทำนี้จะหยุดการอัปโหลดปัจจุบันของคุณ", - "Upload cancelled." : "การอัปโหลดถูกยกเลิก", - "Processing files …" : "กำลังประมวลผลไฟล์ …", - "…" : "…", - "Unable to upload {filename} as it is a directory or has 0 bytes" : "ไม่สามารถอัปโหลด {filename} เนื่องจากเป็นไดเรกทอรีหรือมี 0 ไบต์", - "Not enough free space, you are uploading {size1} but only {size2} is left" : "พื้นที่ว่างไม่เพียงพอ คุณกำลังจะอัปโหลด {size1} แต่เหลือพื้นที่แค่ {size2}", - "Target folder \"{dir}\" does not exist any more" : "ไม่มีโฟลเดอร์เป้าหมาย \"{dir}\" อีกต่อไป", - "An unknown error has occurred" : "เกิดข้อผิดพลาดที่ไม่รู้จัก", - "File could not be uploaded" : "ไม่สามารถอัปโหลดไฟล์", - "Uploading …" : "กำลังอัปโหลด …", - "{remainingTime} ({currentNumber}/{total})" : "{remainingTime} ({currentNumber}/{total})", - "Uploading … ({currentNumber}/{total})" : "กำลังอัปโหลด … ({currentNumber}/{total})", - "{loadedSize} of {totalSize} ({bitrate})" : "{loadedSize} จาก {totalSize} ({bitrate})", - "Uploading that item is not supported" : "ไม่รองรับการอัปโหลดสิ่งนั้น", - "Error when assembling chunks, status code {status}" : "ข้อผิดพลาดขณะประกอบกลุ่ม รหัสสถานะ {status}", - "Choose target folder" : "เลือกโฟลเดอร์เป้าหมาย", - "Edit locally" : "แก้ไขในต้นทาง", - "Open" : "เปิด", - "Could not load info for file \"{file}\"" : "ไม่สามารถโหลดข้อมูลสำหรับไฟล์ \"{file}\"", - "Details" : "รายละเอียด", - "Please select tag(s) to add to the selection" : "กรุณาเลือกแท็กเพื่อเพิ่มเข้าไปในรายการที่เลือก", - "Apply tag(s) to selection" : "นำแท็กไปใช้ในรายการที่เลือก", - "Select directory \"{dirName}\"" : "เลือกไดเร็กทอรี \"{dirName}\"", - "Select file \"{fileName}\"" : "เลือกไฟล์ \"{fileName}\"", - "Unable to determine date" : "ไม่สามารถระบุวัน", - "Could not move \"{file}\", target exists" : "ไม่สามารถย้าย \"{file}\" เป้าหมายมีอยู่แล้ว", - "Could not move \"{file}\"" : "ไม่สามารถย้ายไฟล์ \"{file}\"", - "copy" : "คัดลอก", - "Could not copy \"{file}\", target exists" : "ไม่สามารถคัดลอก \"{file}\" เป้าหมายมีอยู่แล้ว", - "Could not copy \"{file}\"" : "ไม่สามารถคัดลอก \"{file}\"", - "Copied {origin} inside {destination}" : "คัดลอก {origin} ไว้ใน {destination} แล้ว", - "Copied {origin} and {nbfiles} other files inside {destination}" : "คัดลอก {origin} และ {nbfiles} ไฟล์อื่น ๆ ไว้ใน {destination} แล้ว", - "{newName} already exists" : "{newName} มีอยู่แล้ว", - "Could not create file \"{file}\"" : "ไม่สามารถสร้างไฟล์ \"{file}\"", - "Could not create file \"{file}\" because it already exists" : "ไม่สามารถสร้างไฟล์ \"{file}\" เพราะมันมีอยู่แล้ว", - "Could not create folder \"{dir}\" because it already exists" : "ไม่สามารถสร้างโฟลเดอร์ \"{dir}\" เพราะมันมีอยู่แล้ว", - "Could not fetch file details \"{file}\"" : "ไม่สามารถดึงข้อมูลไฟล์ \"{file}\"", - "Error deleting file \"{fileName}\"." : "เกิดข้อผิดพลาดขณะลบไฟล์ \"{fileName}\"", - "No search results in other folders for {tag}{filter}{endtag}" : "ไม่มีผลลัพธ์การค้นหาในโฟลเดอร์อื่นสำหรับ {tag}{filter}{endtag}", - "Enter more than two characters to search in other folders" : "ใส่มากกว่า 2 ตัวอักษร เพื่อค้นหาในโฟลเดอร์อื่น", - "{dirs} and {files}" : "{dirs} และ {files}", - "_including %n hidden_::_including %n hidden_" : ["รวมถึง %n ไฟล์ที่ซ่อนอยู่"], - "You do not have permission to upload or create files here" : "คุณไม่ได้รับอนุญาตให้อัปโหลดหรือสร้างไฟล์ที่นี่", - "_Uploading %n file_::_Uploading %n files_" : ["กำลังอัปโหลด %n ไฟล์"], - "New" : "ใหม่", - "New file/folder menu" : "เมนูไฟล์/โฟลเดอร์ใหม่", - "Select file range" : "เลือกช่วงไฟล์", - "{used}%" : "{used}%", - "{used} used" : "ใช้ไป {used}", - "\"{name}\" is an invalid file name." : "\"{name}\" เป็นชื่อไฟล์ที่ไม่ถูกต้อง", - "File name cannot be empty." : "ชื่อไฟล์ไม่สามารถเว้นว่างได้", - "\"/\" is not allowed inside a file name." : "ไม่อนุญาตให้ใช้ \"/\" ในชื่อไฟล์", - "\"{name}\" is not an allowed filetype" : "\"{name}\" เป็นประเภทไฟล์ที่ไม่ได้รับอนุญาต", - "Storage of {owner} is full, files cannot be updated or synced anymore!" : "พื้นที่จัดเก็บข้อมูลของ {owner} เต็มแล้ว ไม่สามารถอัปเดตหรือซิงค์ไฟล์ได้อีก!", - "Group folder \"{mountPoint}\" is full, files cannot be updated or synced anymore!" : "โฟลเดอร์กลุ่ม \"{mountPoint}\" เต็มแล้ว ไม่สามารถอัปเดตหรือซิงค์ไฟล์ได้อีก!", - "External storage \"{mountPoint}\" is full, files cannot be updated or synced anymore!" : "พื้นที่จัดเก็บข้อมูลภายนอก \"{mountPoint}\" เต็มแล้ว ไม่สามารถอัปเดตหรือซิงค์ไฟล์ได้อีก!", - "Your storage is full, files cannot be updated or synced anymore!" : "พื้นที่จัดเก็บข้อมูลของคุณเต็มแล้ว ไม่สามารถอัปเดตหรือซิงค์ไฟล์ได้อีก!", - "Storage of {owner} is almost full ({usedSpacePercent}%)." : "พื้นที่จัดเก็บข้อมูลของ {owner} ใกล้เต็มแล้ว ({usedSpacePercent}%)", - "Group folder \"{mountPoint}\" is almost full ({usedSpacePercent}%)." : "โฟลเดอร์กลุ่ม \"{mountPoint}\" ใกล้เต็มแล้ว ({usedSpacePercent}%)", - "External storage \"{mountPoint}\" is almost full ({usedSpacePercent}%)." : "พื้นที่จัดเก็บข้อมูลภายนอก \"{mountPoint}\" ใกล้เต็มแล้ว ({usedSpacePercent}%)", - "Your storage is almost full ({usedSpacePercent}%)." : "พื้นที่จัดเก็บข้อมูลของคุณใกล้เต็มแล้ว ({usedSpacePercent}%)", - "_matches \"{filter}\"_::_match \"{filter}\"_" : ["ตรงกับ \"{filter}\""], - "Direct link was copied (only works for people who have access to this file/folder)" : "คัดลอกลิงก์โดยตรงแล้ว (ใช้ได้เฉพาะผู้ใช้ที่มีสิทธิ์เข้าถึงไฟล์/โฟลเดอร์นี้)", - "Path" : "เส้นทาง", - "_%n byte_::_%n bytes_" : ["%n ไบต์"], - "Copy direct link (only works for people who have access to this file/folder)" : "คัดลอกลิงก์โดยตรง (ใช้ได้เฉพาะผู้ใช้ที่มีสิทธิ์เข้าถึงไฟล์/โฟลเดอร์นี้)", - "Upload file" : "อัปโหลดไฟล์", - "An error occurred while trying to update the tags" : "เกิดข้อผิดพลาดขณะกำลังพยายามอัปเดตแท็ก", - "Upload (max. %s)" : "อัปโหลด (สูงสุด %s)", - "Use this address to access your Files via WebDAV" : "ใช้ที่อยู่นี้เพื่อเข้าถึงไฟล์ของคุณผ่าน WebDAV", - "Text file" : "ไฟล์ข้อความ", - "New text file.txt" : "ไฟล์ข้อความใหม่.txt" -},"pluralForm" :"nplurals=1; plural=0;" -}
\ No newline at end of file diff --git a/apps/files/l10n/tr.js b/apps/files/l10n/tr.js index cd540571514..33cbd8a58eb 100644 --- a/apps/files/l10n/tr.js +++ b/apps/files/l10n/tr.js @@ -115,9 +115,6 @@ OC.L10N.register( "Name" : "Ad", "File type" : "Dosya türü", "Size" : "Boyut", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" bazı bileşenlerde tamamlanamadı", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" toplu işlemi tamamlandı", - "\"{displayName}\" action failed" : "\"{displayName}\" işlemi tamamlanamadı", "Actions" : "İşlemler", "(selected)" : "(seçilmiş)", "List of files and folders." : "Dosya ve klasörlerin listesi.", @@ -126,11 +123,7 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Başarımı olumsuz etkilememek için listenin tümü görüntülenmiyor. Listede ilerledikçe dosyalar görüntülenecek.", "File not found" : "Dosya bulunamadı", "_{count} selected_::_{count} selected_" : ["{count} seçilmiş","{count} seçilmiş"], - "Search globally by filename …" : "Dosya adına göre genel ara…", - "Search here by filename …" : "Dosya adına göre burada ara…", "Search scope options" : "Arama kapsamı seçenekleri", - "Filter and search from this location" : "Süz ve bu konumdan ara", - "Search globally" : "Genel arama", "{usedQuotaByte} used" : "{usedQuotaByte} kullanılmış", "{used} of {quota} used" : "{used} / {quota} kullanılmış", "{relative}% used" : "%{relative} kullanılmış", @@ -180,7 +173,6 @@ OC.L10N.register( "Error during upload: {message}" : "Yükleme sırasında sorun çıktı: {message}", "Error during upload, status code {status}" : "Yüklenirken sorun çıktı, durum kodu {status}", "Unknown error during upload" : "Yükleme sırasında bilinmeyen bir sorun çıktı", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" işlemi tamamlandı", "Loading current folder" : "Geçerli klasör yükleniyor", "Retry" : "Yeniden dene", "No files in here" : "Burada herhangi bir dosya yok", @@ -195,45 +187,32 @@ OC.L10N.register( "No search results for “{query}”" : "“{query}” için bir arama sonucu bulunamadı", "Search for files" : "Dosya ara", "Clipboard is not available" : "Pano kullanılamıyor", - "WebDAV URL copied to clipboard" : "WebDAV adresi panoya kopyalandı", + "General" : "Genel", "Default view" : "Varsayılan görünüm", "All files" : "Tüm dosyalar", "Personal files" : "Kişisel dosyalar", "Sort favorites first" : "Sık kullanılanlar üstte sıralansın", "Sort folders before files" : "Klasörler dosyaların üzerinde sıralansın", - "Enable folder tree" : "Klasör ağacını aç", + "Appearance" : "Görünüm", "Show hidden files" : "Gizli dosyaları görüntüle", "Show file type column" : "Dosya türü sütunu görüntülensin", "Crop image previews" : "Görsel ön izlemeleri kırpılsın", "Additional settings" : "Ek ayarlar", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV adresi", - "Copy to clipboard" : "Panoya kopyala", + "Copy" : "Kopyala", "Warnings" : "Uyarılar", - "Prevent warning dialogs from open or reenable them." : "Uyarı pencerelerinin görüntülenmesini açın ya da kapatın.", - "Show a warning dialog when changing a file extension." : "Dosya uzantısı değiştirilirken uyarı penceresi görüntülensin.", - "Show a warning dialog when deleting files." : "Dosyalar silinirken uyarı penceresi görüntülensin.", "Keyboard shortcuts" : "Kısayol tuşları", - "Speed up your Files experience with these quick shortcuts." : "Şu kısayol tuşlarını kullanarak Dosyalar deneyiminizi hızlandırabilirsiniz.", - "Open the actions menu for a file" : "Bir dosyanın işlemler menüsünü açar", - "Rename a file" : "Bir dosyayı yeniden adlandırır", - "Delete a file" : "Bir dosyayı siler", - "Favorite or remove a file from favorites" : "Bir dosyayı sık kullanılanlara ekler ya da kaldırır", - "Manage tags for a file" : "Bir dosyanın etiketlerini yönetir", + "File actions" : "Dosya işlemleri", + "Rename" : "Yeniden adlandır", + "Delete" : "Sil", + "Manage tags" : "Etiket yönetimi", "Selection" : "Seçim", "Select all files" : "Tüm dosyaları seçer", - "Deselect all files" : "Tüm dosyaları bırakır", - "Select or deselect a file" : "Bir dosyayı seçer ya da bırakır", - "Select a range of files" : "Bir dosya grubunu seçer", + "Deselect all" : "Tümünü bırak", "Navigation" : "Gezinme", - "Navigate to the parent folder" : "Üst klasöre gider", - "Navigate to the file above" : "Üstteki dosyaya gider", - "Navigate to the file below" : "Aşağıdaki dosyaya gider", - "Navigate to the file on the left (in grid mode)" : "Soldaki dosyaya gider (ızgara görünümünde)", - "Navigate to the file on the right (in grid mode)" : "Sağdaki dosyaya gider (ızgara görünümünde)", "View" : "Görüntüle", - "Toggle the grid view" : "Izgara görünümünü açar ya da kapatır", - "Open the sidebar for a file" : "Bir dosyanın kenar çubuğunu açar", + "Toggle grid view" : "Tablo görünümünü aç/kapat", "Show those shortcuts" : "Bu kısayolları görüntüler", "You" : "Siz", "Shared multiple times with different people" : "Farklı kişilerle birkaç kez paylaşılmış", @@ -272,7 +251,6 @@ OC.L10N.register( "Delete files" : "Dosyaları sil", "Delete folder" : "Klasörü sil", "Delete folders" : "Klasörleri sil", - "Delete" : "Sil", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["{count} ögeyi kalıcı olarak silmek üzeresiniz","{count} ögeyi kalıcı olarak silmek üzeresiniz"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["{count} ögeyi silmek üzeresiniz","{count} ögeyi silmek üzeresiniz"], "Confirm deletion" : "Silmeyi onaylayın", @@ -290,7 +268,6 @@ OC.L10N.register( "The file does not exist anymore" : "Dosya artık yok", "Choose destination" : "Hedefi seçin", "Copy to {target}" : "{target} içine kopyala", - "Copy" : "Kopyala", "Move to {target}" : "{target} içine taşı", "Move" : "Taşı", "Move or copy operation failed" : "Taşıma ya da kopyalama yapılamadı", @@ -303,8 +280,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Dosya artık aygıtınızda açılmalıdır. Açılmazsa lütfen bilgisayar uygulamasının kurulu olduğundan emin olun.", "Retry and close" : "Yeniden deneyip kapat", "Open online" : "Çevrim içi aç", - "Rename" : "Yeniden adlandır", - "Open details" : "Ayrıntıları aç", + "Details" : "Ayrıntılar", "View in folder" : "Klasörde görüntüle", "Today" : "Bugün", "Last 7 days" : "Önceki 7 gün", @@ -317,7 +293,7 @@ OC.L10N.register( "PDFs" : "PDF dosyaları", "Folders" : "Klasörler", "Audio" : "Ses", - "Photos and images" : "Fotoğraflar ve görseller", + "Images" : "Görseller", "Videos" : "Görüntüler", "Created new folder \"{name}\"" : "\"{name}\" yeni klasörü oluşturuldu", "Unable to initialize the templates directory" : "Kalıp klasörü hazırlanamadı", @@ -343,7 +319,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "\"{newName}\" adı \"{dir}\" klasöründe zaten kullanılmış. Lütfen başka bir ad seçin.", "Could not rename \"{oldName}\"" : "\"{oldName}\" adı değiştirilemedi", "This operation is forbidden" : "Bu işleme izin verilmiyor", - "This directory is unavailable, please check the logs or contact the administrator" : "Bu klasör yazılabilir değil. Lütfen günlük kayıtlarına bakın ya da BT yöneticiniz ile görüşün", "Storage is temporarily not available" : "Depolama geçici olarak kullanılamıyor", "Unexpected error: {error}" : "Beklenmeyen bir sorun çıktı: {error}", "_%n file_::_%n files_" : ["%n dosya","%n dosya"], @@ -396,12 +371,12 @@ OC.L10N.register( "Edit locally" : "Yerel olarak düzenle", "Open" : "Aç", "Could not load info for file \"{file}\"" : "\"{file}\" dosyasının bilgileri alınamadı", - "Details" : "Ayrıntılar", "Please select tag(s) to add to the selection" : "Seçime eklemek için etiketleri seçin", "Apply tag(s) to selection" : "Etiketleri seçime uygula", "Select directory \"{dirName}\"" : "\"{dirName}\" klasörünü seçin", "Select file \"{fileName}\"" : "\"{fileName}\" dosyasını seçin", "Unable to determine date" : "Tarih belirlenemedi", + "This directory is unavailable, please check the logs or contact the administrator" : "Bu klasör yazılabilir değil. Lütfen günlük kayıtlarına bakın ya da BT yöneticiniz ile görüşün", "Could not move \"{file}\", target exists" : "\"{file}\" taşınamadı, hedef zaten var", "Could not move \"{file}\"" : "\"{file}\" taşınamadı", "copy" : "kopya", @@ -449,15 +424,24 @@ OC.L10N.register( "Not favored" : "Sık kullanılanlara eklenmemiş", "An error occurred while trying to update the tags" : "Etiketler güncellenirken bir sorun çıktı", "Upload (max. %s)" : "Yükle (en büyük: %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" işlemi tamamlandı", + "\"{displayName}\" action failed" : "\"{displayName}\" işlemi tamamlanamadı", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" bazı bileşenlerde tamamlanamadı", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" toplu işlemi tamamlandı", "Submitting fields…" : "Alanlar gönderiliyor…", "Filter filenames…" : "Dosya adlarını süz…", + "WebDAV URL copied to clipboard" : "WebDAV adresi panoya kopyalandı", "Enable the grid view" : "Tablo görünümü kullanılsın", + "Enable folder tree" : "Klasör ağacını aç", + "Copy to clipboard" : "Panoya kopyala", "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", + "Open details" : "Ayrıntıları aç", + "Photos and images" : "Fotoğraflar ve görseller", "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"], @@ -471,6 +455,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (yeniden adlandırıldı)", "renamed file" : "dosyayı yeniden adlandırdı", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Windows uyumlu dosya adları açıldıktan sonra, var olan dosyalar artık değiştirilemez. Ancak sahipleri tarafından geçerli yeni adlarla yeniden adlandırılabilir.", - "Filter file names …" : "Dosya adlarını süz…" + "Filter file names …" : "Dosya adlarını süz…", + "Prevent warning dialogs from open or reenable them." : "Uyarı pencerelerinin görüntülenmesini açın ya da kapatın.", + "Show a warning dialog when changing a file extension." : "Dosya uzantısı değiştirilirken uyarı penceresi görüntülensin.", + "Speed up your Files experience with these quick shortcuts." : "Şu kısayol tuşlarını kullanarak Dosyalar deneyiminizi hızlandırabilirsiniz.", + "Open the actions menu for a file" : "Bir dosyanın işlemler menüsünü açar", + "Rename a file" : "Bir dosyayı yeniden adlandırır", + "Delete a file" : "Bir dosyayı siler", + "Favorite or remove a file from favorites" : "Bir dosyayı sık kullanılanlara ekler ya da kaldırır", + "Manage tags for a file" : "Bir dosyanın etiketlerini yönetir", + "Deselect all files" : "Tüm dosyaları bırakır", + "Select or deselect a file" : "Bir dosyayı seçer ya da bırakır", + "Select a range of files" : "Bir dosya grubunu seçer", + "Navigate to the parent folder" : "Üst klasöre gider", + "Navigate to the file above" : "Üstteki dosyaya gider", + "Navigate to the file below" : "Aşağıdaki dosyaya gider", + "Navigate to the file on the left (in grid mode)" : "Soldaki dosyaya gider (ızgara görünümünde)", + "Navigate to the file on the right (in grid mode)" : "Sağdaki dosyaya gider (ızgara görünümünde)", + "Toggle the grid view" : "Izgara görünümünü açar ya da kapatır", + "Open the sidebar for a file" : "Bir dosyanın kenar çubuğunu açar" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/files/l10n/tr.json b/apps/files/l10n/tr.json index 33a8eb14ec5..1d14af7094c 100644 --- a/apps/files/l10n/tr.json +++ b/apps/files/l10n/tr.json @@ -113,9 +113,6 @@ "Name" : "Ad", "File type" : "Dosya türü", "Size" : "Boyut", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" bazı bileşenlerde tamamlanamadı", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" toplu işlemi tamamlandı", - "\"{displayName}\" action failed" : "\"{displayName}\" işlemi tamamlanamadı", "Actions" : "İşlemler", "(selected)" : "(seçilmiş)", "List of files and folders." : "Dosya ve klasörlerin listesi.", @@ -124,11 +121,7 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Başarımı olumsuz etkilememek için listenin tümü görüntülenmiyor. Listede ilerledikçe dosyalar görüntülenecek.", "File not found" : "Dosya bulunamadı", "_{count} selected_::_{count} selected_" : ["{count} seçilmiş","{count} seçilmiş"], - "Search globally by filename …" : "Dosya adına göre genel ara…", - "Search here by filename …" : "Dosya adına göre burada ara…", "Search scope options" : "Arama kapsamı seçenekleri", - "Filter and search from this location" : "Süz ve bu konumdan ara", - "Search globally" : "Genel arama", "{usedQuotaByte} used" : "{usedQuotaByte} kullanılmış", "{used} of {quota} used" : "{used} / {quota} kullanılmış", "{relative}% used" : "%{relative} kullanılmış", @@ -178,7 +171,6 @@ "Error during upload: {message}" : "Yükleme sırasında sorun çıktı: {message}", "Error during upload, status code {status}" : "Yüklenirken sorun çıktı, durum kodu {status}", "Unknown error during upload" : "Yükleme sırasında bilinmeyen bir sorun çıktı", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" işlemi tamamlandı", "Loading current folder" : "Geçerli klasör yükleniyor", "Retry" : "Yeniden dene", "No files in here" : "Burada herhangi bir dosya yok", @@ -193,45 +185,32 @@ "No search results for “{query}”" : "“{query}” için bir arama sonucu bulunamadı", "Search for files" : "Dosya ara", "Clipboard is not available" : "Pano kullanılamıyor", - "WebDAV URL copied to clipboard" : "WebDAV adresi panoya kopyalandı", + "General" : "Genel", "Default view" : "Varsayılan görünüm", "All files" : "Tüm dosyalar", "Personal files" : "Kişisel dosyalar", "Sort favorites first" : "Sık kullanılanlar üstte sıralansın", "Sort folders before files" : "Klasörler dosyaların üzerinde sıralansın", - "Enable folder tree" : "Klasör ağacını aç", + "Appearance" : "Görünüm", "Show hidden files" : "Gizli dosyaları görüntüle", "Show file type column" : "Dosya türü sütunu görüntülensin", "Crop image previews" : "Görsel ön izlemeleri kırpılsın", "Additional settings" : "Ek ayarlar", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV adresi", - "Copy to clipboard" : "Panoya kopyala", + "Copy" : "Kopyala", "Warnings" : "Uyarılar", - "Prevent warning dialogs from open or reenable them." : "Uyarı pencerelerinin görüntülenmesini açın ya da kapatın.", - "Show a warning dialog when changing a file extension." : "Dosya uzantısı değiştirilirken uyarı penceresi görüntülensin.", - "Show a warning dialog when deleting files." : "Dosyalar silinirken uyarı penceresi görüntülensin.", "Keyboard shortcuts" : "Kısayol tuşları", - "Speed up your Files experience with these quick shortcuts." : "Şu kısayol tuşlarını kullanarak Dosyalar deneyiminizi hızlandırabilirsiniz.", - "Open the actions menu for a file" : "Bir dosyanın işlemler menüsünü açar", - "Rename a file" : "Bir dosyayı yeniden adlandırır", - "Delete a file" : "Bir dosyayı siler", - "Favorite or remove a file from favorites" : "Bir dosyayı sık kullanılanlara ekler ya da kaldırır", - "Manage tags for a file" : "Bir dosyanın etiketlerini yönetir", + "File actions" : "Dosya işlemleri", + "Rename" : "Yeniden adlandır", + "Delete" : "Sil", + "Manage tags" : "Etiket yönetimi", "Selection" : "Seçim", "Select all files" : "Tüm dosyaları seçer", - "Deselect all files" : "Tüm dosyaları bırakır", - "Select or deselect a file" : "Bir dosyayı seçer ya da bırakır", - "Select a range of files" : "Bir dosya grubunu seçer", + "Deselect all" : "Tümünü bırak", "Navigation" : "Gezinme", - "Navigate to the parent folder" : "Üst klasöre gider", - "Navigate to the file above" : "Üstteki dosyaya gider", - "Navigate to the file below" : "Aşağıdaki dosyaya gider", - "Navigate to the file on the left (in grid mode)" : "Soldaki dosyaya gider (ızgara görünümünde)", - "Navigate to the file on the right (in grid mode)" : "Sağdaki dosyaya gider (ızgara görünümünde)", "View" : "Görüntüle", - "Toggle the grid view" : "Izgara görünümünü açar ya da kapatır", - "Open the sidebar for a file" : "Bir dosyanın kenar çubuğunu açar", + "Toggle grid view" : "Tablo görünümünü aç/kapat", "Show those shortcuts" : "Bu kısayolları görüntüler", "You" : "Siz", "Shared multiple times with different people" : "Farklı kişilerle birkaç kez paylaşılmış", @@ -270,7 +249,6 @@ "Delete files" : "Dosyaları sil", "Delete folder" : "Klasörü sil", "Delete folders" : "Klasörleri sil", - "Delete" : "Sil", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["{count} ögeyi kalıcı olarak silmek üzeresiniz","{count} ögeyi kalıcı olarak silmek üzeresiniz"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["{count} ögeyi silmek üzeresiniz","{count} ögeyi silmek üzeresiniz"], "Confirm deletion" : "Silmeyi onaylayın", @@ -288,7 +266,6 @@ "The file does not exist anymore" : "Dosya artık yok", "Choose destination" : "Hedefi seçin", "Copy to {target}" : "{target} içine kopyala", - "Copy" : "Kopyala", "Move to {target}" : "{target} içine taşı", "Move" : "Taşı", "Move or copy operation failed" : "Taşıma ya da kopyalama yapılamadı", @@ -301,8 +278,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Dosya artık aygıtınızda açılmalıdır. Açılmazsa lütfen bilgisayar uygulamasının kurulu olduğundan emin olun.", "Retry and close" : "Yeniden deneyip kapat", "Open online" : "Çevrim içi aç", - "Rename" : "Yeniden adlandır", - "Open details" : "Ayrıntıları aç", + "Details" : "Ayrıntılar", "View in folder" : "Klasörde görüntüle", "Today" : "Bugün", "Last 7 days" : "Önceki 7 gün", @@ -315,7 +291,7 @@ "PDFs" : "PDF dosyaları", "Folders" : "Klasörler", "Audio" : "Ses", - "Photos and images" : "Fotoğraflar ve görseller", + "Images" : "Görseller", "Videos" : "Görüntüler", "Created new folder \"{name}\"" : "\"{name}\" yeni klasörü oluşturuldu", "Unable to initialize the templates directory" : "Kalıp klasörü hazırlanamadı", @@ -341,7 +317,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "\"{newName}\" adı \"{dir}\" klasöründe zaten kullanılmış. Lütfen başka bir ad seçin.", "Could not rename \"{oldName}\"" : "\"{oldName}\" adı değiştirilemedi", "This operation is forbidden" : "Bu işleme izin verilmiyor", - "This directory is unavailable, please check the logs or contact the administrator" : "Bu klasör yazılabilir değil. Lütfen günlük kayıtlarına bakın ya da BT yöneticiniz ile görüşün", "Storage is temporarily not available" : "Depolama geçici olarak kullanılamıyor", "Unexpected error: {error}" : "Beklenmeyen bir sorun çıktı: {error}", "_%n file_::_%n files_" : ["%n dosya","%n dosya"], @@ -394,12 +369,12 @@ "Edit locally" : "Yerel olarak düzenle", "Open" : "Aç", "Could not load info for file \"{file}\"" : "\"{file}\" dosyasının bilgileri alınamadı", - "Details" : "Ayrıntılar", "Please select tag(s) to add to the selection" : "Seçime eklemek için etiketleri seçin", "Apply tag(s) to selection" : "Etiketleri seçime uygula", "Select directory \"{dirName}\"" : "\"{dirName}\" klasörünü seçin", "Select file \"{fileName}\"" : "\"{fileName}\" dosyasını seçin", "Unable to determine date" : "Tarih belirlenemedi", + "This directory is unavailable, please check the logs or contact the administrator" : "Bu klasör yazılabilir değil. Lütfen günlük kayıtlarına bakın ya da BT yöneticiniz ile görüşün", "Could not move \"{file}\", target exists" : "\"{file}\" taşınamadı, hedef zaten var", "Could not move \"{file}\"" : "\"{file}\" taşınamadı", "copy" : "kopya", @@ -447,15 +422,24 @@ "Not favored" : "Sık kullanılanlara eklenmemiş", "An error occurred while trying to update the tags" : "Etiketler güncellenirken bir sorun çıktı", "Upload (max. %s)" : "Yükle (en büyük: %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" işlemi tamamlandı", + "\"{displayName}\" action failed" : "\"{displayName}\" işlemi tamamlanamadı", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" bazı bileşenlerde tamamlanamadı", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" toplu işlemi tamamlandı", "Submitting fields…" : "Alanlar gönderiliyor…", "Filter filenames…" : "Dosya adlarını süz…", + "WebDAV URL copied to clipboard" : "WebDAV adresi panoya kopyalandı", "Enable the grid view" : "Tablo görünümü kullanılsın", + "Enable folder tree" : "Klasör ağacını aç", + "Copy to clipboard" : "Panoya kopyala", "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", + "Open details" : "Ayrıntıları aç", + "Photos and images" : "Fotoğraflar ve görseller", "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"], @@ -469,6 +453,24 @@ "%1$s (renamed)" : "%1$s (yeniden adlandırıldı)", "renamed file" : "dosyayı yeniden adlandırdı", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Windows uyumlu dosya adları açıldıktan sonra, var olan dosyalar artık değiştirilemez. Ancak sahipleri tarafından geçerli yeni adlarla yeniden adlandırılabilir.", - "Filter file names …" : "Dosya adlarını süz…" + "Filter file names …" : "Dosya adlarını süz…", + "Prevent warning dialogs from open or reenable them." : "Uyarı pencerelerinin görüntülenmesini açın ya da kapatın.", + "Show a warning dialog when changing a file extension." : "Dosya uzantısı değiştirilirken uyarı penceresi görüntülensin.", + "Speed up your Files experience with these quick shortcuts." : "Şu kısayol tuşlarını kullanarak Dosyalar deneyiminizi hızlandırabilirsiniz.", + "Open the actions menu for a file" : "Bir dosyanın işlemler menüsünü açar", + "Rename a file" : "Bir dosyayı yeniden adlandırır", + "Delete a file" : "Bir dosyayı siler", + "Favorite or remove a file from favorites" : "Bir dosyayı sık kullanılanlara ekler ya da kaldırır", + "Manage tags for a file" : "Bir dosyanın etiketlerini yönetir", + "Deselect all files" : "Tüm dosyaları bırakır", + "Select or deselect a file" : "Bir dosyayı seçer ya da bırakır", + "Select a range of files" : "Bir dosya grubunu seçer", + "Navigate to the parent folder" : "Üst klasöre gider", + "Navigate to the file above" : "Üstteki dosyaya gider", + "Navigate to the file below" : "Aşağıdaki dosyaya gider", + "Navigate to the file on the left (in grid mode)" : "Soldaki dosyaya gider (ızgara görünümünde)", + "Navigate to the file on the right (in grid mode)" : "Sağdaki dosyaya gider (ızgara görünümünde)", + "Toggle the grid view" : "Izgara görünümünü açar ya da kapatır", + "Open the sidebar for a file" : "Bir dosyanın kenar çubuğunu açar" },"pluralForm" :"nplurals=2; plural=(n > 1);" }
\ No newline at end of file diff --git a/apps/files/l10n/ug.js b/apps/files/l10n/ug.js index ae30674fd50..cf01962edbb 100644 --- a/apps/files/l10n/ug.js +++ b/apps/files/l10n/ug.js @@ -97,15 +97,12 @@ OC.L10N.register( "Toggle selection for all files and folders" : "بارلىق ھۆججەت ۋە ھۆججەت قىسقۇچلارنى تاللاڭ", "Name" : "ئاتى", "Size" : "چوڭلۇقى", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" تۈركۈمدىكى ھەرىكەت مۇۋەپپەقىيەتلىك ئىجرا قىلىندى", - "\"{displayName}\" action failed" : "\"{displayName}\" ھەرىكىتى مەغلۇپ بولدى", "Actions" : "مەشغۇلاتلار", "(selected)" : "(تاللانغان)", "List of files and folders." : "ھۆججەت ۋە ھۆججەت قىسقۇچلارنىڭ تىزىملىكى.", "Column headers with buttons are sortable." : "كۇنۇپكىلار بار ئىستون ماۋزۇلىرى تەرتىپلىك.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "بۇ تىزىملىك ئىقتىدار سەۋەبىدىن تولۇق كۆرسىتىلمىگەن. ھۆججەتلەر تىزىملىكتىن ئۆتكەندە كۆرسىتىلىدۇ.", "File not found" : "ھۆججەت تېپىلمىدى", - "Search globally" : "دۇنيا مىقياسىدا ئىزدەڭ", "{usedQuotaByte} used" : "{usedQuotaByte} ئىشلىتىلگەن", "{used} of {quota} used" : "{used} {quota} ئىشلىتىلگەن", "{relative}% used" : "{relative}% ئىشلىتىلگەن", @@ -143,7 +140,6 @@ OC.L10N.register( "Error during upload: {message}" : "يوللاشتىكى خاتالىق: {message}", "Error during upload, status code {status}" : "يوللاش جەريانىدا خاتالىق ، ھالەت كودى {status}", "Unknown error during upload" : "يوللاش جەريانىدا نامەلۇم خاتالىق", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" ھەرىكىتى مۇۋەپپەقىيەتلىك ئىجرا قىلىندى", "Loading current folder" : "نۆۋەتتىكى ھۆججەت قىسقۇچنى يۈكلەۋاتىدۇ", "Retry" : "قايتا سىناڭ", "No files in here" : "بۇ يەردە ھۆججەت يوق", @@ -156,20 +152,25 @@ OC.L10N.register( "File cannot be accessed" : "ھۆججەتنى زىيارەت قىلغىلى بولمايدۇ", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "ھۆججەت تېپىلمىدى ياكى ئۇنى كۆرۈش ھوقۇقىڭىز يوق. ئەۋەتكۈچىدىن ئورتاقلىشىشنى سوراڭ.", "Clipboard is not available" : "چاپلاش تاختىسى يوق", - "WebDAV URL copied to clipboard" : "WebDAV URL چاپلاش تاختىسىغا كۆچۈرۈلدى", + "General" : "General", "All files" : "بارلىق ھۆججەتلەر", "Personal files" : "شەخسىي ھۆججەتلەر", "Sort favorites first" : "ياقتۇرىدىغانلارنى رەتلەڭ", "Sort folders before files" : "ھۆججەتلەرنى ھۆججەتتىن بۇرۇن تەرتىپلەڭ", - "Enable folder tree" : "ھۆججەت قىسقۇچنى قوزغىتىڭ", + "Appearance" : "كۆرۈنۈش", "Show hidden files" : "يوشۇرۇن ھۆججەتلەرنى كۆرسەت", "Crop image previews" : "رەسىمنى ئالدىن كۆرۈش", "Additional settings" : "قوشۇمچە تەڭشەكلەر", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "چاپلاش تاختىسىغا كۆچۈرۈڭ", + "Copy" : "كۆچۈرۈڭ", "Keyboard shortcuts" : "كۇنۇپكا تاختىسى تېزلەتمىسى", + "File actions" : "ھۆججەت ھەرىكىتى", + "Rename" : "ئات ئۆزگەرت", + "Delete" : "ئۆچۈر", + "Manage tags" : "خەتكۈچلەرنى باشقۇرۇش", "Selection" : "تاللاش", + "Deselect all" : "ھەممىنى تاللاڭ", "Navigation" : "يول باشلاش", "View" : "كۆرۈش", "You" : "سەن", @@ -194,7 +195,6 @@ OC.L10N.register( "Delete files" : "ھۆججەتلەرنى ئۆچۈرۈڭ", "Delete folder" : "ھۆججەت قىسقۇچنى ئۆچۈرۈڭ", "Delete folders" : "ھۆججەت قىسقۇچلارنى ئۆچۈرۈڭ", - "Delete" : "ئۆچۈر", "Confirm deletion" : "ئۆچۈرۈشنى جەزملەشتۈرۈڭ", "Cancel" : "ۋاز كەچ", "Download" : "چۈشۈر", @@ -208,7 +208,6 @@ OC.L10N.register( "The file does not exist anymore" : "بۇ ھۆججەت ئەمدى مەۋجۇت ئەمەس", "Choose destination" : "مەنزىلنى تاللاڭ", "Copy to {target}" : "{target} غا كۆچۈرۈڭ", - "Copy" : "كۆچۈرۈڭ", "Move to {target}" : "{target} يۆتكەڭ", "Move" : "Move", "Move or copy operation failed" : "يۆتكەش ياكى كۆچۈرۈش مەشغۇلاتى مەغلۇپ بولدى", @@ -218,8 +217,7 @@ OC.L10N.register( "Open locally" : "يەرلىكتە ئېچىڭ", "Failed to redirect to client" : "خېرىدارغا قايتا نىشانلاش مەغلۇپ بولدى", "Open file locally" : "ھۆججەتنى يەرلىكتە ئېچىڭ", - "Rename" : "ئات ئۆزگەرت", - "Open details" : "تەپسىلاتلارنى ئېچىڭ", + "Details" : "تەپسىلاتى", "View in folder" : "قىسقۇچتا كۆرۈش", "Today" : "بۈگۈن", "Last 7 days" : "ئاخىرقى 7 كۈن", @@ -232,7 +230,7 @@ OC.L10N.register( "PDFs" : "PDF", "Folders" : "ھۆججەت قىسقۇچ", "Audio" : "Audio", - "Photos and images" : "رەسىم ۋە رەسىم", + "Images" : "سۈرەتلەر", "Videos" : "سىنلار", "Created new folder \"{name}\"" : "يېڭى ھۆججەت قىسقۇچ \"{name}\" قۇرۇلدى", "Unable to initialize the templates directory" : "قېلىپ مۇندەرىجىسىنى قوزغىتالمىدى", @@ -258,7 +256,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "\"{dir}\" ھۆججەت قىسقۇچىدا \"{newName}\" ئىسمى ئاللىبۇرۇن ئىشلىتىلگەن. باشقا ئىسىمنى تاللاڭ.", "Could not rename \"{oldName}\"" : "\"{oldName}\" نىڭ نامىنى ئۆزگەرتەلمىدى", "This operation is forbidden" : "بۇ مەشغۇلات مەنئى قىلىنىدۇ", - "This directory is unavailable, please check the logs or contact the administrator" : "بۇ مۇندەرىجىنى ئىشلەتكىلى بولمايدۇ ، خاتىرىلەرنى تەكشۈرۈپ بېقىڭ ياكى باشقۇرغۇچى بىلەن ئالاقىلىشىڭ", "Storage is temporarily not available" : "ساقلاش ۋاقتىنى ۋاقىتلىق ئىشلەتكىلى بولمايدۇ", "Unexpected error: {error}" : "ئويلىمىغان خاتالىق: {error}", "Filename must not be empty." : "ھۆججەت ئىسمى بوش بولماسلىقى كېرەك.", @@ -307,12 +304,12 @@ OC.L10N.register( "Edit locally" : "يەرلىكتە تەھرىرلەڭ", "Open" : "ئېچىڭ", "Could not load info for file \"{file}\"" : "\"{file}\" ھۆججىتىگە ئۇچۇر يۈكلىيەلمىدى", - "Details" : "تەپسىلاتى", "Please select tag(s) to add to the selection" : "تاللاشقا قوشۇش ئۈچۈن بەلگە (لەرنى) تاللاڭ", "Apply tag(s) to selection" : "تاللاشقا بەلگە (لەر) نى ئىشلىتىڭ", "Select directory \"{dirName}\"" : "مۇندەرىجە \"{dirName}\" نى تاللاڭ", "Select file \"{fileName}\"" : "ھۆججەت \"{fileName}\" نى تاللاڭ", "Unable to determine date" : "چېسلانى بەلگىلىيەلمىدى", + "This directory is unavailable, please check the logs or contact the administrator" : "بۇ مۇندەرىجىنى ئىشلەتكىلى بولمايدۇ ، خاتىرىلەرنى تەكشۈرۈپ بېقىڭ ياكى باشقۇرغۇچى بىلەن ئالاقىلىشىڭ", "Could not move \"{file}\", target exists" : "\"{file}\" نى يۆتكىگىلى بولمىدى ، نىشان مەۋجۇت", "Could not move \"{file}\"" : "\"{file}\" نى يۆتكىگىلى بولمىدى", "copy" : "كۆپەيتىلگەن", @@ -356,15 +353,23 @@ OC.L10N.register( "Not favored" : "ياقتۇرمايدۇ", "An error occurred while trying to update the tags" : "خەتكۈچلەرنى يېڭىلىماقچى بولغاندا خاتالىق كۆرۈلدى", "Upload (max. %s)" : "يۈكلەش (max.% S)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" ھەرىكىتى مۇۋەپپەقىيەتلىك ئىجرا قىلىندى", + "\"{displayName}\" action failed" : "\"{displayName}\" ھەرىكىتى مەغلۇپ بولدى", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" تۈركۈمدىكى ھەرىكەت مۇۋەپپەقىيەتلىك ئىجرا قىلىندى", "Submitting fields…" : "يول يوللاش…", "Filter filenames…" : "ھۆججەت نامىنى سۈزۈڭ…", + "WebDAV URL copied to clipboard" : "WebDAV URL چاپلاش تاختىسىغا كۆچۈرۈلدى", "Enable the grid view" : "كاتەكچە كۆرۈنۈشىنى قوزغىتىڭ", + "Enable folder tree" : "ھۆججەت قىسقۇچنى قوزغىتىڭ", + "Copy to clipboard" : "چاپلاش تاختىسىغا كۆچۈرۈڭ", "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" : "يۆتكەش ياكى كۆچۈرۈش مەشغۇلاتى ئەمەلدىن قالدۇرۇلدى", + "Open details" : "تەپسىلاتلارنى ئېچىڭ", + "Photos and images" : "رەسىم ۋە رەسىم", "New folder creation cancelled" : "يېڭى ھۆججەت قىسقۇچ قۇرۇش ئەمەلدىن قالدۇرۇلدى", "{fileCount} files and {folderCount} folders" : "{fileCount} ھۆججەتلىرى ۋە {folderCount} ھۆججەت قىسقۇچلىرى", "All folders" : "بارلىق ھۆججەت قىسقۇچلار", diff --git a/apps/files/l10n/ug.json b/apps/files/l10n/ug.json index 3d4ddfdb44e..311a3e923d6 100644 --- a/apps/files/l10n/ug.json +++ b/apps/files/l10n/ug.json @@ -95,15 +95,12 @@ "Toggle selection for all files and folders" : "بارلىق ھۆججەت ۋە ھۆججەت قىسقۇچلارنى تاللاڭ", "Name" : "ئاتى", "Size" : "چوڭلۇقى", - "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" تۈركۈمدىكى ھەرىكەت مۇۋەپپەقىيەتلىك ئىجرا قىلىندى", - "\"{displayName}\" action failed" : "\"{displayName}\" ھەرىكىتى مەغلۇپ بولدى", "Actions" : "مەشغۇلاتلار", "(selected)" : "(تاللانغان)", "List of files and folders." : "ھۆججەت ۋە ھۆججەت قىسقۇچلارنىڭ تىزىملىكى.", "Column headers with buttons are sortable." : "كۇنۇپكىلار بار ئىستون ماۋزۇلىرى تەرتىپلىك.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "بۇ تىزىملىك ئىقتىدار سەۋەبىدىن تولۇق كۆرسىتىلمىگەن. ھۆججەتلەر تىزىملىكتىن ئۆتكەندە كۆرسىتىلىدۇ.", "File not found" : "ھۆججەت تېپىلمىدى", - "Search globally" : "دۇنيا مىقياسىدا ئىزدەڭ", "{usedQuotaByte} used" : "{usedQuotaByte} ئىشلىتىلگەن", "{used} of {quota} used" : "{used} {quota} ئىشلىتىلگەن", "{relative}% used" : "{relative}% ئىشلىتىلگەن", @@ -141,7 +138,6 @@ "Error during upload: {message}" : "يوللاشتىكى خاتالىق: {message}", "Error during upload, status code {status}" : "يوللاش جەريانىدا خاتالىق ، ھالەت كودى {status}", "Unknown error during upload" : "يوللاش جەريانىدا نامەلۇم خاتالىق", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" ھەرىكىتى مۇۋەپپەقىيەتلىك ئىجرا قىلىندى", "Loading current folder" : "نۆۋەتتىكى ھۆججەت قىسقۇچنى يۈكلەۋاتىدۇ", "Retry" : "قايتا سىناڭ", "No files in here" : "بۇ يەردە ھۆججەت يوق", @@ -154,20 +150,25 @@ "File cannot be accessed" : "ھۆججەتنى زىيارەت قىلغىلى بولمايدۇ", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "ھۆججەت تېپىلمىدى ياكى ئۇنى كۆرۈش ھوقۇقىڭىز يوق. ئەۋەتكۈچىدىن ئورتاقلىشىشنى سوراڭ.", "Clipboard is not available" : "چاپلاش تاختىسى يوق", - "WebDAV URL copied to clipboard" : "WebDAV URL چاپلاش تاختىسىغا كۆچۈرۈلدى", + "General" : "General", "All files" : "بارلىق ھۆججەتلەر", "Personal files" : "شەخسىي ھۆججەتلەر", "Sort favorites first" : "ياقتۇرىدىغانلارنى رەتلەڭ", "Sort folders before files" : "ھۆججەتلەرنى ھۆججەتتىن بۇرۇن تەرتىپلەڭ", - "Enable folder tree" : "ھۆججەت قىسقۇچنى قوزغىتىڭ", + "Appearance" : "كۆرۈنۈش", "Show hidden files" : "يوشۇرۇن ھۆججەتلەرنى كۆرسەت", "Crop image previews" : "رەسىمنى ئالدىن كۆرۈش", "Additional settings" : "قوشۇمچە تەڭشەكلەر", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "چاپلاش تاختىسىغا كۆچۈرۈڭ", + "Copy" : "كۆچۈرۈڭ", "Keyboard shortcuts" : "كۇنۇپكا تاختىسى تېزلەتمىسى", + "File actions" : "ھۆججەت ھەرىكىتى", + "Rename" : "ئات ئۆزگەرت", + "Delete" : "ئۆچۈر", + "Manage tags" : "خەتكۈچلەرنى باشقۇرۇش", "Selection" : "تاللاش", + "Deselect all" : "ھەممىنى تاللاڭ", "Navigation" : "يول باشلاش", "View" : "كۆرۈش", "You" : "سەن", @@ -192,7 +193,6 @@ "Delete files" : "ھۆججەتلەرنى ئۆچۈرۈڭ", "Delete folder" : "ھۆججەت قىسقۇچنى ئۆچۈرۈڭ", "Delete folders" : "ھۆججەت قىسقۇچلارنى ئۆچۈرۈڭ", - "Delete" : "ئۆچۈر", "Confirm deletion" : "ئۆچۈرۈشنى جەزملەشتۈرۈڭ", "Cancel" : "ۋاز كەچ", "Download" : "چۈشۈر", @@ -206,7 +206,6 @@ "The file does not exist anymore" : "بۇ ھۆججەت ئەمدى مەۋجۇت ئەمەس", "Choose destination" : "مەنزىلنى تاللاڭ", "Copy to {target}" : "{target} غا كۆچۈرۈڭ", - "Copy" : "كۆچۈرۈڭ", "Move to {target}" : "{target} يۆتكەڭ", "Move" : "Move", "Move or copy operation failed" : "يۆتكەش ياكى كۆچۈرۈش مەشغۇلاتى مەغلۇپ بولدى", @@ -216,8 +215,7 @@ "Open locally" : "يەرلىكتە ئېچىڭ", "Failed to redirect to client" : "خېرىدارغا قايتا نىشانلاش مەغلۇپ بولدى", "Open file locally" : "ھۆججەتنى يەرلىكتە ئېچىڭ", - "Rename" : "ئات ئۆزگەرت", - "Open details" : "تەپسىلاتلارنى ئېچىڭ", + "Details" : "تەپسىلاتى", "View in folder" : "قىسقۇچتا كۆرۈش", "Today" : "بۈگۈن", "Last 7 days" : "ئاخىرقى 7 كۈن", @@ -230,7 +228,7 @@ "PDFs" : "PDF", "Folders" : "ھۆججەت قىسقۇچ", "Audio" : "Audio", - "Photos and images" : "رەسىم ۋە رەسىم", + "Images" : "سۈرەتلەر", "Videos" : "سىنلار", "Created new folder \"{name}\"" : "يېڭى ھۆججەت قىسقۇچ \"{name}\" قۇرۇلدى", "Unable to initialize the templates directory" : "قېلىپ مۇندەرىجىسىنى قوزغىتالمىدى", @@ -256,7 +254,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "\"{dir}\" ھۆججەت قىسقۇچىدا \"{newName}\" ئىسمى ئاللىبۇرۇن ئىشلىتىلگەن. باشقا ئىسىمنى تاللاڭ.", "Could not rename \"{oldName}\"" : "\"{oldName}\" نىڭ نامىنى ئۆزگەرتەلمىدى", "This operation is forbidden" : "بۇ مەشغۇلات مەنئى قىلىنىدۇ", - "This directory is unavailable, please check the logs or contact the administrator" : "بۇ مۇندەرىجىنى ئىشلەتكىلى بولمايدۇ ، خاتىرىلەرنى تەكشۈرۈپ بېقىڭ ياكى باشقۇرغۇچى بىلەن ئالاقىلىشىڭ", "Storage is temporarily not available" : "ساقلاش ۋاقتىنى ۋاقىتلىق ئىشلەتكىلى بولمايدۇ", "Unexpected error: {error}" : "ئويلىمىغان خاتالىق: {error}", "Filename must not be empty." : "ھۆججەت ئىسمى بوش بولماسلىقى كېرەك.", @@ -305,12 +302,12 @@ "Edit locally" : "يەرلىكتە تەھرىرلەڭ", "Open" : "ئېچىڭ", "Could not load info for file \"{file}\"" : "\"{file}\" ھۆججىتىگە ئۇچۇر يۈكلىيەلمىدى", - "Details" : "تەپسىلاتى", "Please select tag(s) to add to the selection" : "تاللاشقا قوشۇش ئۈچۈن بەلگە (لەرنى) تاللاڭ", "Apply tag(s) to selection" : "تاللاشقا بەلگە (لەر) نى ئىشلىتىڭ", "Select directory \"{dirName}\"" : "مۇندەرىجە \"{dirName}\" نى تاللاڭ", "Select file \"{fileName}\"" : "ھۆججەت \"{fileName}\" نى تاللاڭ", "Unable to determine date" : "چېسلانى بەلگىلىيەلمىدى", + "This directory is unavailable, please check the logs or contact the administrator" : "بۇ مۇندەرىجىنى ئىشلەتكىلى بولمايدۇ ، خاتىرىلەرنى تەكشۈرۈپ بېقىڭ ياكى باشقۇرغۇچى بىلەن ئالاقىلىشىڭ", "Could not move \"{file}\", target exists" : "\"{file}\" نى يۆتكىگىلى بولمىدى ، نىشان مەۋجۇت", "Could not move \"{file}\"" : "\"{file}\" نى يۆتكىگىلى بولمىدى", "copy" : "كۆپەيتىلگەن", @@ -354,15 +351,23 @@ "Not favored" : "ياقتۇرمايدۇ", "An error occurred while trying to update the tags" : "خەتكۈچلەرنى يېڭىلىماقچى بولغاندا خاتالىق كۆرۈلدى", "Upload (max. %s)" : "يۈكلەش (max.% S)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" ھەرىكىتى مۇۋەپپەقىيەتلىك ئىجرا قىلىندى", + "\"{displayName}\" action failed" : "\"{displayName}\" ھەرىكىتى مەغلۇپ بولدى", + "\"{displayName}\" batch action executed successfully" : "\"{displayName}\" تۈركۈمدىكى ھەرىكەت مۇۋەپپەقىيەتلىك ئىجرا قىلىندى", "Submitting fields…" : "يول يوللاش…", "Filter filenames…" : "ھۆججەت نامىنى سۈزۈڭ…", + "WebDAV URL copied to clipboard" : "WebDAV URL چاپلاش تاختىسىغا كۆچۈرۈلدى", "Enable the grid view" : "كاتەكچە كۆرۈنۈشىنى قوزغىتىڭ", + "Enable folder tree" : "ھۆججەت قىسقۇچنى قوزغىتىڭ", + "Copy to clipboard" : "چاپلاش تاختىسىغا كۆچۈرۈڭ", "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" : "يۆتكەش ياكى كۆچۈرۈش مەشغۇلاتى ئەمەلدىن قالدۇرۇلدى", + "Open details" : "تەپسىلاتلارنى ئېچىڭ", + "Photos and images" : "رەسىم ۋە رەسىم", "New folder creation cancelled" : "يېڭى ھۆججەت قىسقۇچ قۇرۇش ئەمەلدىن قالدۇرۇلدى", "{fileCount} files and {folderCount} folders" : "{fileCount} ھۆججەتلىرى ۋە {folderCount} ھۆججەت قىسقۇچلىرى", "All folders" : "بارلىق ھۆججەت قىسقۇچلار", diff --git a/apps/files/l10n/uk.js b/apps/files/l10n/uk.js index eb91af0fd77..806bf1ed94d 100644 --- a/apps/files/l10n/uk.js +++ b/apps/files/l10n/uk.js @@ -115,9 +115,9 @@ OC.L10N.register( "Name" : "Ім'я", "File type" : "Тип файлу", "Size" : "Розмір", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" не спрацював у деяких елементах", - "\"{displayName}\" batch action executed successfully" : "Операцію \"{displayName}\" успішно виконано", - "\"{displayName}\" action failed" : "Не вдалося виконати \"{displayName}\"", + "{displayName}: failed on some elements" : "{displayName}: не вдалося виконати деякі елементи", + "{displayName}: done" : "{displayName}: готово", + "{displayName}: failed" : "{displayName}: не вдалося", "Actions" : "Дії", "(selected)" : "(вибрано)", "List of files and folders." : "Список файлів та каталогів", @@ -126,11 +126,10 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Список не подається повністю з міркувань обчислювальних потужностей. Файли показуватимуться під час прокручування списку.", "File not found" : "Файл не знайдено", "_{count} selected_::_{count} selected_" : ["Вибрано {count}","Вибрано {count}","Вибрано {count} ","Вибрано {count} "], - "Search globally by filename …" : "Шукати всюди за ім'ям файлу ...", - "Search here by filename …" : "Шукати тут за ім'ям файлу ...", + "Search everywhere …" : "Шукати всюди ...", + "Search here …" : "Шукати тут …", "Search scope options" : "Визначити місце пошуку", - "Filter and search from this location" : "Фільтрувати та шукати у цьому розташуванні", - "Search globally" : "Шукати всюди", + "Search here" : "Шукати тут", "{usedQuotaByte} used" : "{usedQuotaByte} використано", "{used} of {quota} used" : "Використано {used} із {quota}", "{relative}% used" : "{relative}% використано", @@ -180,7 +179,6 @@ OC.L10N.register( "Error during upload: {message}" : "Помилка під час завантаження: {message}", "Error during upload, status code {status}" : "Помилка під час завантаження, код стану {status}", "Unknown error during upload" : "Невідома помилка під час завантаження", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" успішно виконано", "Loading current folder" : "Отримання поточного каталогу", "Retry" : "Ще раз", "No files in here" : "Тут немає файлів", @@ -195,49 +193,48 @@ OC.L10N.register( "No search results for “{query}”" : "Відсутні результати для \"{query}\"", "Search for files" : "Шукати файли", "Clipboard is not available" : "Буфер обміну недоступний", - "WebDAV URL copied to clipboard" : "Послиання WebDAV скопійовано до буферу обміну", + "WebDAV URL copied" : "URL-адреса WebDAV скопійована", + "General" : "Загальне", "Default view" : "Типовий вигляд", "All files" : "Усі файли", "Personal files" : "Мої документи", "Sort favorites first" : "Спочатку показувати із зірочкою", "Sort folders before files" : "Показувати каталоги перед файлами", - "Enable folder tree" : "Увімкнути дерево каталогів", - "Visual settings" : "Візуальні налаштування", + "Folder tree" : "Дерево каталогів", + "Appearance" : "Вигляд", "Show hidden files" : "Показувати приховані файли", "Show file type column" : "Показувати стовпець з типом файлу", + "Show file extensions" : "Show file extensions", "Crop image previews" : "Попередній перегляд перед кадруванням", - "Show files extensions" : "Показати розширення файлів", "Additional settings" : "Додатково", "WebDAV" : "WebDAV", "WebDAV URL" : "URL-адреса WebDAV", - "Copy to clipboard" : "Копіювати до буферу обміну", - "Use this address to access your Files via WebDAV." : "Використовуйте цю адресу для доступу до ваших файлів за допомогою WebDAV.", + "Copy" : "Копіювати", + "How to access files using WebDAV" : "Як отримати доступ до файлів за допомогою WebDAV", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Для вашого облікового запису увімкнено двофакторну авторизацію, таким чином вам потрібно буде використовувати пароль для застосунку для з'єднання із зовнішнім клієнтом WebDAV.", "Warnings" : "Застереження", - "Prevent warning dialogs from open or reenable them." : "Не дозволяти показувати діялоги застережень або повторно увімкнути їх.", - "Show a warning dialog when changing a file extension." : "Показувати діялог застереження у разі зміни розширення файлу.", - "Show a warning dialog when deleting files." : "Показувати застереження під час вилучення файлів.", + "Warn before changing a file extension" : "Попереджати перед зміною розширення файлу", + "Warn before deleting files" : "Попереджати перед видаленням файлів", "Keyboard shortcuts" : "Скорочення", - "Speed up your Files experience with these quick shortcuts." : "Пришвідшіть взаємодію у застосунку \"Файли\" за скорочень", - "Open the actions menu for a file" : "Відкрити меню дій для файлу", - "Rename a file" : "Перейменувати файл", - "Delete a file" : "Вилучити файл", - "Favorite or remove a file from favorites" : "Додати або прибрати зірочку з файлу", - "Manage tags for a file" : "Керувати мітками файлу", + "File actions" : "Дії з файлами", + "Rename" : "Перейменувати", + "Delete" : "Вилучити", + "Add or remove favorite" : "Додати або видалити з улюблених", + "Manage tags" : "Керування мітками", "Selection" : "Вибір", "Select all files" : "Вибрати всі файли", - "Deselect all files" : "Прибрати вибір всіх файлів", - "Select or deselect a file" : "Вибрати чи прибрати вибір файлу", - "Select a range of files" : "Вибрати кілька файлів", + "Deselect all" : "Зняти всі мітки", + "Select or deselect" : "Вибрати або скасувати вибір", + "Select a range" : "Виберіть діапазон", "Navigation" : "Навігація", - "Navigate to the parent folder" : "Перейти до каталогу вищого рівня", - "Navigate to the file above" : "Перейти до файлу вище", - "Navigate to the file below" : "Перейти до фйлу нижче", - "Navigate to the file on the left (in grid mode)" : "Перейти до файлу ліворуч (подання сіткою)", - "Navigate to the file on the right (in grid mode)" : "Перейти до файлу праворуч (подання сіткою)", + "Go to parent folder" : "Перейти до батьківської папки", + "Go to file above" : "Перейти до файлу вище", + "Go to file below" : "Перейти до файлу нижче", + "Go left in grid" : "Перейти ліворуч у сітці", + "Go right in grid" : "Перейти праворуч у сітці", "View" : "Подання", - "Toggle the grid view" : "Перемкнути у подання сіткою", - "Open the sidebar for a file" : "Відкрити бокове меню для файлу", + "Toggle grid view" : "Перемкнути подання сіткою", + "Open file sidebar" : "Відкрити бічну панель файлів", "Show those shortcuts" : "Показувати ці скорочення", "You" : "Ви", "Shared multiple times with different people" : "Поділилися кілька разів з різними людьми", @@ -276,7 +273,6 @@ OC.L10N.register( "Delete files" : "Вилучити файли", "Delete folder" : "Вилучити каталог", "Delete folders" : "Вилучити каталоги", - "Delete" : "Вилучити", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Ви намагаєтеся назавжли вилучити {count} ресурс","Ви намагаєтеся назавжли вилучити {count} ресурси","Ви намагаєтеся назавжли вилучити {count} ресурсів","Ви намагаєтеся назавжли вилучити {count} ресурсів"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Ви намагаєтеся вилучити {count} ресурс","Ви намагаєтеся вилучити {count} ресурси","Ви намагаєтеся вилучити {count} ресурсів","Ви намагаєтеся вилучити {count} ресурсів"], "Confirm deletion" : "Підтвердіть вилучення", @@ -294,7 +290,6 @@ OC.L10N.register( "The file does not exist anymore" : "Цей файл більше недоступний", "Choose destination" : "Виберіть каталог призначення", "Copy to {target}" : "Копіювати до {target}", - "Copy" : "Копіювати", "Move to {target}" : "Перемістити до {target}", "Move" : "Перемістити", "Move or copy operation failed" : "Не вдалося скопіювати або перемістити", @@ -307,8 +302,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Тепер файл можна відкрити на вашому пристрої. Якщо він не відкривається, перевірте, що у вас встановлено настільний клієнт синхронізації.", "Retry and close" : "Спробувати ще раз", "Open online" : "Відкрити віддалено", - "Rename" : "Перейменувати", - "Open details" : "Показати деталі", + "Details" : "Деталі", "View in folder" : "Переглянути у каталозі", "Today" : "Сьогодні", "Last 7 days" : "За останні 7 днів", @@ -321,7 +315,7 @@ OC.L10N.register( "PDFs" : "Файли PDF", "Folders" : "Каталоги", "Audio" : "Аудіо", - "Photos and images" : "Зображення", + "Images" : "Зображення", "Videos" : "Відео", "Created new folder \"{name}\"" : "Створив(-ла) новий каталог \"{name}\"", "Unable to initialize the templates directory" : "Неможливо встановити каталог з шаблонами", @@ -348,7 +342,7 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Ім'я \"{newName}\" вже використовується у каталозі \"{dir}\". Виберіть інше ім'я.", "Could not rename \"{oldName}\"" : "Не вдалося перейменувати \"{oldName}\"", "This operation is forbidden" : "Операцію заборонено", - "This directory is unavailable, please check the logs or contact the administrator" : "Каталог недоступний, будь ласка, перевірте файл журналу або зверніться до адміністратора ", + "This folder is unavailable, please try again later or contact the administration" : "Ця папка недоступна, спробуйте пізніше або зверніться до адміністрації.", "Storage is temporarily not available" : "Сховище тимчасово недоступне", "Unexpected error: {error}" : "Неочікувана помилка: {error}", "_%n file_::_%n files_" : ["%n файл","%n файли","%n файлів","%n файлів"], @@ -363,7 +357,6 @@ OC.L10N.register( "No favorites yet" : "Поки немає нічого, позначеного зірочкою", "Files and folders you mark as favorite will show up here" : "Файли та каталоги із зірочкою з’являться тут", "List of your files and folders." : "Список ваших файлів та каталогів.", - "Folder tree" : "Дерево каталогів", "List of your files and folders that are not shared." : "Перелік ваших файлів та каталогів, які не є у спільному доступі.", "No personal files found" : "Мої документи не знайдено", "Files that are not shared will show up here." : "Тут показуватимуться файли, які не є у спільному доступі.", @@ -402,12 +395,12 @@ OC.L10N.register( "Edit locally" : "Відкрити на пристрої", "Open" : "Відкрити", "Could not load info for file \"{file}\"" : "Не вдалося отримати дані щодо файлу \"{file}\"", - "Details" : "Деталі", "Please select tag(s) to add to the selection" : "Виберіть мітки, які ви додасте до вибраного", "Apply tag(s) to selection" : "Додатки мітки до вибраного", "Select directory \"{dirName}\"" : "Виберіть каталог \"{dirName}\"", "Select file \"{fileName}\"" : "Вибрати файл \"{fileName}\"", "Unable to determine date" : "Неможливо визначити дату", + "This directory is unavailable, please check the logs or contact the administrator" : "Каталог недоступний, будь ласка, перевірте файл журналу або зверніться до адміністратора ", "Could not move \"{file}\", target exists" : "Не вдалося перемістити файл \"{file}\", оскільки файл з таким ім'ям вже присутній", "Could not move \"{file}\"" : "Неможливо перемістити файл \"{file}\"", "copy" : "копія", @@ -455,15 +448,24 @@ OC.L10N.register( "Not favored" : "Без зірочки", "An error occurred while trying to update the tags" : "Виникла помилка при спробі оновити мітки", "Upload (max. %s)" : "Завантаження (макс. %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" успішно виконано", + "\"{displayName}\" action failed" : "Не вдалося виконати \"{displayName}\"", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" не спрацював у деяких елементах", + "\"{displayName}\" batch action executed successfully" : "Операцію \"{displayName}\" успішно виконано", "Submitting fields…" : "Поля для надсилання...", "Filter filenames…" : "Вибрати файли за ім'ям ...", + "WebDAV URL copied to clipboard" : "Послиання WebDAV скопійовано до буферу обміну", "Enable the grid view" : "Увімкнути подання сіткою", + "Enable folder tree" : "Увімкнути дерево каталогів", + "Copy to clipboard" : "Копіювати до буферу обміну", "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" : "Переміщення або копіювання скасовано", + "Open details" : "Показати деталі", + "Photos and images" : "Зображення", "New folder creation cancelled" : "Створення нового каталогу скасовано", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} каталог","{folderCount} каталоги","{folderCount} каталогів","{folderCount} каталогів"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} файл","{fileCount} файли","{fileCount} файлів","{fileCount} файлів"], @@ -477,6 +479,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s (перейменовано)", "renamed file" : "перейменовано файл", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Після увімкнення сумісности імен файлів з системою Windows наявні файли неможливо буде змінити, але власники зможуть перейменувати ці файли на нові з дійсними іменами.", - "Filter file names …" : "Фільтр за іменем файлу ..." + "Filter file names …" : "Фільтр за іменем файлу ...", + "Prevent warning dialogs from open or reenable them." : "Не дозволяти показувати діялоги застережень або повторно увімкнути їх.", + "Show a warning dialog when changing a file extension." : "Показувати діялог застереження у разі зміни розширення файлу.", + "Speed up your Files experience with these quick shortcuts." : "Пришвідшіть взаємодію у застосунку \"Файли\" за скорочень", + "Open the actions menu for a file" : "Відкрити меню дій для файлу", + "Rename a file" : "Перейменувати файл", + "Delete a file" : "Вилучити файл", + "Favorite or remove a file from favorites" : "Додати або прибрати зірочку з файлу", + "Manage tags for a file" : "Керувати мітками файлу", + "Deselect all files" : "Прибрати вибір всіх файлів", + "Select or deselect a file" : "Вибрати чи прибрати вибір файлу", + "Select a range of files" : "Вибрати кілька файлів", + "Navigate to the parent folder" : "Перейти до каталогу вищого рівня", + "Navigate to the file above" : "Перейти до файлу вище", + "Navigate to the file below" : "Перейти до фйлу нижче", + "Navigate to the file on the left (in grid mode)" : "Перейти до файлу ліворуч (подання сіткою)", + "Navigate to the file on the right (in grid mode)" : "Перейти до файлу праворуч (подання сіткою)", + "Toggle the grid view" : "Перемкнути у подання сіткою", + "Open the sidebar for a file" : "Відкрити бокове меню для файлу" }, "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/l10n/uk.json b/apps/files/l10n/uk.json index bc23626446f..6033dfe979d 100644 --- a/apps/files/l10n/uk.json +++ b/apps/files/l10n/uk.json @@ -113,9 +113,9 @@ "Name" : "Ім'я", "File type" : "Тип файлу", "Size" : "Розмір", - "\"{displayName}\" failed on some elements" : "\"{displayName}\" не спрацював у деяких елементах", - "\"{displayName}\" batch action executed successfully" : "Операцію \"{displayName}\" успішно виконано", - "\"{displayName}\" action failed" : "Не вдалося виконати \"{displayName}\"", + "{displayName}: failed on some elements" : "{displayName}: не вдалося виконати деякі елементи", + "{displayName}: done" : "{displayName}: готово", + "{displayName}: failed" : "{displayName}: не вдалося", "Actions" : "Дії", "(selected)" : "(вибрано)", "List of files and folders." : "Список файлів та каталогів", @@ -124,11 +124,10 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Список не подається повністю з міркувань обчислювальних потужностей. Файли показуватимуться під час прокручування списку.", "File not found" : "Файл не знайдено", "_{count} selected_::_{count} selected_" : ["Вибрано {count}","Вибрано {count}","Вибрано {count} ","Вибрано {count} "], - "Search globally by filename …" : "Шукати всюди за ім'ям файлу ...", - "Search here by filename …" : "Шукати тут за ім'ям файлу ...", + "Search everywhere …" : "Шукати всюди ...", + "Search here …" : "Шукати тут …", "Search scope options" : "Визначити місце пошуку", - "Filter and search from this location" : "Фільтрувати та шукати у цьому розташуванні", - "Search globally" : "Шукати всюди", + "Search here" : "Шукати тут", "{usedQuotaByte} used" : "{usedQuotaByte} використано", "{used} of {quota} used" : "Використано {used} із {quota}", "{relative}% used" : "{relative}% використано", @@ -178,7 +177,6 @@ "Error during upload: {message}" : "Помилка під час завантаження: {message}", "Error during upload, status code {status}" : "Помилка під час завантаження, код стану {status}", "Unknown error during upload" : "Невідома помилка під час завантаження", - "\"{displayName}\" action executed successfully" : "\"{displayName}\" успішно виконано", "Loading current folder" : "Отримання поточного каталогу", "Retry" : "Ще раз", "No files in here" : "Тут немає файлів", @@ -193,49 +191,48 @@ "No search results for “{query}”" : "Відсутні результати для \"{query}\"", "Search for files" : "Шукати файли", "Clipboard is not available" : "Буфер обміну недоступний", - "WebDAV URL copied to clipboard" : "Послиання WebDAV скопійовано до буферу обміну", + "WebDAV URL copied" : "URL-адреса WebDAV скопійована", + "General" : "Загальне", "Default view" : "Типовий вигляд", "All files" : "Усі файли", "Personal files" : "Мої документи", "Sort favorites first" : "Спочатку показувати із зірочкою", "Sort folders before files" : "Показувати каталоги перед файлами", - "Enable folder tree" : "Увімкнути дерево каталогів", - "Visual settings" : "Візуальні налаштування", + "Folder tree" : "Дерево каталогів", + "Appearance" : "Вигляд", "Show hidden files" : "Показувати приховані файли", "Show file type column" : "Показувати стовпець з типом файлу", + "Show file extensions" : "Show file extensions", "Crop image previews" : "Попередній перегляд перед кадруванням", - "Show files extensions" : "Показати розширення файлів", "Additional settings" : "Додатково", "WebDAV" : "WebDAV", "WebDAV URL" : "URL-адреса WebDAV", - "Copy to clipboard" : "Копіювати до буферу обміну", - "Use this address to access your Files via WebDAV." : "Використовуйте цю адресу для доступу до ваших файлів за допомогою WebDAV.", + "Copy" : "Копіювати", + "How to access files using WebDAV" : "Як отримати доступ до файлів за допомогою WebDAV", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "Для вашого облікового запису увімкнено двофакторну авторизацію, таким чином вам потрібно буде використовувати пароль для застосунку для з'єднання із зовнішнім клієнтом WebDAV.", "Warnings" : "Застереження", - "Prevent warning dialogs from open or reenable them." : "Не дозволяти показувати діялоги застережень або повторно увімкнути їх.", - "Show a warning dialog when changing a file extension." : "Показувати діялог застереження у разі зміни розширення файлу.", - "Show a warning dialog when deleting files." : "Показувати застереження під час вилучення файлів.", + "Warn before changing a file extension" : "Попереджати перед зміною розширення файлу", + "Warn before deleting files" : "Попереджати перед видаленням файлів", "Keyboard shortcuts" : "Скорочення", - "Speed up your Files experience with these quick shortcuts." : "Пришвідшіть взаємодію у застосунку \"Файли\" за скорочень", - "Open the actions menu for a file" : "Відкрити меню дій для файлу", - "Rename a file" : "Перейменувати файл", - "Delete a file" : "Вилучити файл", - "Favorite or remove a file from favorites" : "Додати або прибрати зірочку з файлу", - "Manage tags for a file" : "Керувати мітками файлу", + "File actions" : "Дії з файлами", + "Rename" : "Перейменувати", + "Delete" : "Вилучити", + "Add or remove favorite" : "Додати або видалити з улюблених", + "Manage tags" : "Керування мітками", "Selection" : "Вибір", "Select all files" : "Вибрати всі файли", - "Deselect all files" : "Прибрати вибір всіх файлів", - "Select or deselect a file" : "Вибрати чи прибрати вибір файлу", - "Select a range of files" : "Вибрати кілька файлів", + "Deselect all" : "Зняти всі мітки", + "Select or deselect" : "Вибрати або скасувати вибір", + "Select a range" : "Виберіть діапазон", "Navigation" : "Навігація", - "Navigate to the parent folder" : "Перейти до каталогу вищого рівня", - "Navigate to the file above" : "Перейти до файлу вище", - "Navigate to the file below" : "Перейти до фйлу нижче", - "Navigate to the file on the left (in grid mode)" : "Перейти до файлу ліворуч (подання сіткою)", - "Navigate to the file on the right (in grid mode)" : "Перейти до файлу праворуч (подання сіткою)", + "Go to parent folder" : "Перейти до батьківської папки", + "Go to file above" : "Перейти до файлу вище", + "Go to file below" : "Перейти до файлу нижче", + "Go left in grid" : "Перейти ліворуч у сітці", + "Go right in grid" : "Перейти праворуч у сітці", "View" : "Подання", - "Toggle the grid view" : "Перемкнути у подання сіткою", - "Open the sidebar for a file" : "Відкрити бокове меню для файлу", + "Toggle grid view" : "Перемкнути подання сіткою", + "Open file sidebar" : "Відкрити бічну панель файлів", "Show those shortcuts" : "Показувати ці скорочення", "You" : "Ви", "Shared multiple times with different people" : "Поділилися кілька разів з різними людьми", @@ -274,7 +271,6 @@ "Delete files" : "Вилучити файли", "Delete folder" : "Вилучити каталог", "Delete folders" : "Вилучити каталоги", - "Delete" : "Вилучити", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Ви намагаєтеся назавжли вилучити {count} ресурс","Ви намагаєтеся назавжли вилучити {count} ресурси","Ви намагаєтеся назавжли вилучити {count} ресурсів","Ви намагаєтеся назавжли вилучити {count} ресурсів"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Ви намагаєтеся вилучити {count} ресурс","Ви намагаєтеся вилучити {count} ресурси","Ви намагаєтеся вилучити {count} ресурсів","Ви намагаєтеся вилучити {count} ресурсів"], "Confirm deletion" : "Підтвердіть вилучення", @@ -292,7 +288,6 @@ "The file does not exist anymore" : "Цей файл більше недоступний", "Choose destination" : "Виберіть каталог призначення", "Copy to {target}" : "Копіювати до {target}", - "Copy" : "Копіювати", "Move to {target}" : "Перемістити до {target}", "Move" : "Перемістити", "Move or copy operation failed" : "Не вдалося скопіювати або перемістити", @@ -305,8 +300,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "Тепер файл можна відкрити на вашому пристрої. Якщо він не відкривається, перевірте, що у вас встановлено настільний клієнт синхронізації.", "Retry and close" : "Спробувати ще раз", "Open online" : "Відкрити віддалено", - "Rename" : "Перейменувати", - "Open details" : "Показати деталі", + "Details" : "Деталі", "View in folder" : "Переглянути у каталозі", "Today" : "Сьогодні", "Last 7 days" : "За останні 7 днів", @@ -319,7 +313,7 @@ "PDFs" : "Файли PDF", "Folders" : "Каталоги", "Audio" : "Аудіо", - "Photos and images" : "Зображення", + "Images" : "Зображення", "Videos" : "Відео", "Created new folder \"{name}\"" : "Створив(-ла) новий каталог \"{name}\"", "Unable to initialize the templates directory" : "Неможливо встановити каталог з шаблонами", @@ -346,7 +340,7 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Ім'я \"{newName}\" вже використовується у каталозі \"{dir}\". Виберіть інше ім'я.", "Could not rename \"{oldName}\"" : "Не вдалося перейменувати \"{oldName}\"", "This operation is forbidden" : "Операцію заборонено", - "This directory is unavailable, please check the logs or contact the administrator" : "Каталог недоступний, будь ласка, перевірте файл журналу або зверніться до адміністратора ", + "This folder is unavailable, please try again later or contact the administration" : "Ця папка недоступна, спробуйте пізніше або зверніться до адміністрації.", "Storage is temporarily not available" : "Сховище тимчасово недоступне", "Unexpected error: {error}" : "Неочікувана помилка: {error}", "_%n file_::_%n files_" : ["%n файл","%n файли","%n файлів","%n файлів"], @@ -361,7 +355,6 @@ "No favorites yet" : "Поки немає нічого, позначеного зірочкою", "Files and folders you mark as favorite will show up here" : "Файли та каталоги із зірочкою з’являться тут", "List of your files and folders." : "Список ваших файлів та каталогів.", - "Folder tree" : "Дерево каталогів", "List of your files and folders that are not shared." : "Перелік ваших файлів та каталогів, які не є у спільному доступі.", "No personal files found" : "Мої документи не знайдено", "Files that are not shared will show up here." : "Тут показуватимуться файли, які не є у спільному доступі.", @@ -400,12 +393,12 @@ "Edit locally" : "Відкрити на пристрої", "Open" : "Відкрити", "Could not load info for file \"{file}\"" : "Не вдалося отримати дані щодо файлу \"{file}\"", - "Details" : "Деталі", "Please select tag(s) to add to the selection" : "Виберіть мітки, які ви додасте до вибраного", "Apply tag(s) to selection" : "Додатки мітки до вибраного", "Select directory \"{dirName}\"" : "Виберіть каталог \"{dirName}\"", "Select file \"{fileName}\"" : "Вибрати файл \"{fileName}\"", "Unable to determine date" : "Неможливо визначити дату", + "This directory is unavailable, please check the logs or contact the administrator" : "Каталог недоступний, будь ласка, перевірте файл журналу або зверніться до адміністратора ", "Could not move \"{file}\", target exists" : "Не вдалося перемістити файл \"{file}\", оскільки файл з таким ім'ям вже присутній", "Could not move \"{file}\"" : "Неможливо перемістити файл \"{file}\"", "copy" : "копія", @@ -453,15 +446,24 @@ "Not favored" : "Без зірочки", "An error occurred while trying to update the tags" : "Виникла помилка при спробі оновити мітки", "Upload (max. %s)" : "Завантаження (макс. %s)", + "\"{displayName}\" action executed successfully" : "\"{displayName}\" успішно виконано", + "\"{displayName}\" action failed" : "Не вдалося виконати \"{displayName}\"", + "\"{displayName}\" failed on some elements" : "\"{displayName}\" не спрацював у деяких елементах", + "\"{displayName}\" batch action executed successfully" : "Операцію \"{displayName}\" успішно виконано", "Submitting fields…" : "Поля для надсилання...", "Filter filenames…" : "Вибрати файли за ім'ям ...", + "WebDAV URL copied to clipboard" : "Послиання WebDAV скопійовано до буферу обміну", "Enable the grid view" : "Увімкнути подання сіткою", + "Enable folder tree" : "Увімкнути дерево каталогів", + "Copy to clipboard" : "Копіювати до буферу обміну", "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" : "Переміщення або копіювання скасовано", + "Open details" : "Показати деталі", + "Photos and images" : "Зображення", "New folder creation cancelled" : "Створення нового каталогу скасовано", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} каталог","{folderCount} каталоги","{folderCount} каталогів","{folderCount} каталогів"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} файл","{fileCount} файли","{fileCount} файлів","{fileCount} файлів"], @@ -475,6 +477,24 @@ "%1$s (renamed)" : "%1$s (перейменовано)", "renamed file" : "перейменовано файл", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "Після увімкнення сумісности імен файлів з системою Windows наявні файли неможливо буде змінити, але власники зможуть перейменувати ці файли на нові з дійсними іменами.", - "Filter file names …" : "Фільтр за іменем файлу ..." + "Filter file names …" : "Фільтр за іменем файлу ...", + "Prevent warning dialogs from open or reenable them." : "Не дозволяти показувати діялоги застережень або повторно увімкнути їх.", + "Show a warning dialog when changing a file extension." : "Показувати діялог застереження у разі зміни розширення файлу.", + "Speed up your Files experience with these quick shortcuts." : "Пришвідшіть взаємодію у застосунку \"Файли\" за скорочень", + "Open the actions menu for a file" : "Відкрити меню дій для файлу", + "Rename a file" : "Перейменувати файл", + "Delete a file" : "Вилучити файл", + "Favorite or remove a file from favorites" : "Додати або прибрати зірочку з файлу", + "Manage tags for a file" : "Керувати мітками файлу", + "Deselect all files" : "Прибрати вибір всіх файлів", + "Select or deselect a file" : "Вибрати чи прибрати вибір файлу", + "Select a range of files" : "Вибрати кілька файлів", + "Navigate to the parent folder" : "Перейти до каталогу вищого рівня", + "Navigate to the file above" : "Перейти до файлу вище", + "Navigate to the file below" : "Перейти до фйлу нижче", + "Navigate to the file on the left (in grid mode)" : "Перейти до файлу ліворуч (подання сіткою)", + "Navigate to the file on the right (in grid mode)" : "Перейти до файлу праворуч (подання сіткою)", + "Toggle the grid view" : "Перемкнути у подання сіткою", + "Open the sidebar for a file" : "Відкрити бокове меню для файлу" },"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/l10n/vi.js b/apps/files/l10n/vi.js index 6c2ab14cb9b..5517e324d05 100644 --- a/apps/files/l10n/vi.js +++ b/apps/files/l10n/vi.js @@ -98,15 +98,12 @@ OC.L10N.register( "Toggle selection for all files and folders" : "Lựa chọn toàn bộ tập tin và thư mục", "Name" : "Tên", "Size" : "Kích cỡ", - "\"{displayName}\" batch action executed successfully" : "Chỉnh sửa hàng loạt \"{displayName}\" được thực hiện thành công", - "\"{displayName}\" action failed" : "Hành động \"{displayName}\" đã thực thi thất bại", "Actions" : "Hành động", "(selected)" : "(đã chọn)", "List of files and folders." : "Danh sách các tập tin và thư mục.", "Column headers with buttons are sortable." : "Tiêu đề cột có thể sắp xếp được.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Danh sách này không được hiển thị đầy đủ để tăng hiệu năng. Các tập tin sẽ được hiển thị khi bạn điều hướng qua danh sách.", "File not found" : "Không tìm thấy tập tin", - "Search globally" : "Tìm kiếm trên toàn cầu", "{usedQuotaByte} used" : "{usedQuotaByte} đã được sử dụng", "{used} of {quota} used" : "{used} trong {quota} đã được sử dụng", "{relative}% used" : "đã sử dụng {relative}%", @@ -144,7 +141,6 @@ OC.L10N.register( "Error during upload: {message}" : "Lỗi khi đang tải lên: {message}", "Error during upload, status code {status}" : "Lỗi khi đang tải lên, mã lỗi {status}", "Unknown error during upload" : "Lỗi không xác định trong quá trình tải lên", - "\"{displayName}\" action executed successfully" : "Hành động \"{displayName}\" đã thực thi thành công", "Loading current folder" : "Đang tải thư mục hiện tại", "Retry" : "Thử lại", "No files in here" : "Không có tệp nào", @@ -157,17 +153,21 @@ OC.L10N.register( "File cannot be accessed" : "Không thể truy cập tập tin", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Không thể tìm thấy tệp hoặc bạn không có quyền xem tệp. Hãy yêu cầu người gửi cấp quyền truy cập.", "Clipboard is not available" : "Bộ nhớ tạm không có sẵn", - "WebDAV URL copied to clipboard" : "Đã sao chép URL WebDAV vào bộ nhớ tạm", + "General" : "Cài đặt chung", "All files" : "Tất cả tệp tin", "Sort favorites first" : "Sắp xếp mục yêu thích trước", "Sort folders before files" : "Sắp xếp thư mục trước tập tin", - "Enable folder tree" : "Bật cây thư mục", + "Appearance" : "Giao diện", "Show hidden files" : "Hiển thị các tệp ẩn", "Crop image previews" : "Xén ảnh xem trước", "Additional settings" : "Cài đặt bổ sung", - "Copy to clipboard" : "Sao chép vào bộ nhớ tạm", + "Copy" : "Sao chép", "Keyboard shortcuts" : "Phím tắt", + "Rename" : "Đổi tên", + "Delete" : "Xóa", + "Manage tags" : "Quản lý nhãn", "Selection" : "Lựa chọn", + "Deselect all" : "Bỏ chọn tất cả", "Navigation" : "Điều hướng", "View" : "Xem", "You" : "Bạn", @@ -192,7 +192,6 @@ OC.L10N.register( "Delete files" : "Xoá các tập tin", "Delete folder" : "Xoá thư mục", "Delete folders" : "Xoá các thư mục", - "Delete" : "Xóa", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Bặn sắp xoá vĩnh viễn {count} mục"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Bạn sắp xoá {count} mục"], "Confirm deletion" : "Xác nhận xoá", @@ -210,7 +209,6 @@ OC.L10N.register( "The file does not exist anymore" : "Tập tin không tồn tại nữa", "Choose destination" : "Lựa chọn điểm đến", "Copy to {target}" : "Copy to {target}", - "Copy" : "Sao chép", "Move to {target}" : "Di chuyển đến {target}", "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", @@ -220,8 +218,7 @@ OC.L10N.register( "Open locally" : "Mở cục bộ (local)/ ngoại tuyến", "Failed to redirect to client" : "Không thể chuyển hướng đến ứng dụng khách", "Open file locally" : "Mở tệp cục bộ (local)/ ngoại tuyến", - "Rename" : "Đổi tên", - "Open details" : "Mở chi tiết", + "Details" : "Chi tiết", "View in folder" : "Xem trong thư mục", "Today" : "Hôm nay", "Last 7 days" : "7 ngày trước", @@ -231,7 +228,7 @@ OC.L10N.register( "Presentations" : "Bản trình chiếu", "Folders" : "Thư mục", "Audio" : "Âm thanh", - "Photos and images" : "Ảnh", + "Images" : "Hình ảnh", "Videos" : "Phim", "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", @@ -255,7 +252,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Tên \"{newName}\" đã được sử dụng trong thư mục \"{dir}\". Vui lòng chọn một tên khác.", "Could not rename \"{oldName}\"" : "Không thể đổi tên \"{oldName}\"", "This operation is forbidden" : "Thao tác bị cấm", - "This directory is unavailable, please check the logs or contact the administrator" : "Thư mục này không sẵn có, hãy kiểm tra log hoặc liên hệ người quản lý", "Storage is temporarily not available" : "Kho lưu trữ tạm thời không khả dụng", "_%n file_::_%n files_" : ["%n tập tin"], "_%n folder_::_%n folders_" : ["%n thư mục"], @@ -304,12 +300,12 @@ OC.L10N.register( "Edit locally" : "Chỉnh sửa cục bộ/ngoại tuyến", "Open" : "Mở", "Could not load info for file \"{file}\"" : "Không thể tải thông tin cho tệp \"{file}\"", - "Details" : "Chi tiết", "Please select tag(s) to add to the selection" : "Vui lòng chọn (các) thẻ để thêm vào lựa chọn", "Apply tag(s) to selection" : "Áp dụng (các) thẻ cho lựa chọn", "Select directory \"{dirName}\"" : "Chọn thư mục \"{dirName}\"", "Select file \"{fileName}\"" : "Chọn tệp tin \"{fileName}\"", "Unable to determine date" : "Không thể xác định ngày", + "This directory is unavailable, please check the logs or contact the administrator" : "Thư mục này không sẵn có, hãy kiểm tra log hoặc liên hệ người quản lý", "Could not move \"{file}\", target exists" : "Không thể di chuyển \"{file}\", trùng đích đến", "Could not move \"{file}\"" : "Không thể di chuyển \"{file}\"", "copy" : "sao chép", @@ -356,14 +352,22 @@ OC.L10N.register( "Not favored" : "Không được ưa thích", "An error occurred while trying to update the tags" : "Đã xảy ra lỗi khi cố gắng cập nhật tags", "Upload (max. %s)" : "Tải lên (tối đa %s)", + "\"{displayName}\" action executed successfully" : "Hành động \"{displayName}\" đã thực thi thành công", + "\"{displayName}\" action failed" : "Hành động \"{displayName}\" đã thực thi thất bại", + "\"{displayName}\" batch action executed successfully" : "Chỉnh sửa hàng loạt \"{displayName}\" được thực hiện thành công", "Filter filenames…" : "Lọc tên tệp…", + "WebDAV URL copied to clipboard" : "Đã sao chép URL WebDAV vào bộ nhớ tạm", "Enable the grid view" : "Bật chế độ xem lưới", + "Enable folder tree" : "Bật cây thư mục", + "Copy to clipboard" : "Sao chép vào bộ nhớ tạm", "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", + "Open details" : "Mở chi tiết", + "Photos and images" : "Ảnh", "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}"], diff --git a/apps/files/l10n/vi.json b/apps/files/l10n/vi.json index 8ed0f64ed35..b31dea59879 100644 --- a/apps/files/l10n/vi.json +++ b/apps/files/l10n/vi.json @@ -96,15 +96,12 @@ "Toggle selection for all files and folders" : "Lựa chọn toàn bộ tập tin và thư mục", "Name" : "Tên", "Size" : "Kích cỡ", - "\"{displayName}\" batch action executed successfully" : "Chỉnh sửa hàng loạt \"{displayName}\" được thực hiện thành công", - "\"{displayName}\" action failed" : "Hành động \"{displayName}\" đã thực thi thất bại", "Actions" : "Hành động", "(selected)" : "(đã chọn)", "List of files and folders." : "Danh sách các tập tin và thư mục.", "Column headers with buttons are sortable." : "Tiêu đề cột có thể sắp xếp được.", "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "Danh sách này không được hiển thị đầy đủ để tăng hiệu năng. Các tập tin sẽ được hiển thị khi bạn điều hướng qua danh sách.", "File not found" : "Không tìm thấy tập tin", - "Search globally" : "Tìm kiếm trên toàn cầu", "{usedQuotaByte} used" : "{usedQuotaByte} đã được sử dụng", "{used} of {quota} used" : "{used} trong {quota} đã được sử dụng", "{relative}% used" : "đã sử dụng {relative}%", @@ -142,7 +139,6 @@ "Error during upload: {message}" : "Lỗi khi đang tải lên: {message}", "Error during upload, status code {status}" : "Lỗi khi đang tải lên, mã lỗi {status}", "Unknown error during upload" : "Lỗi không xác định trong quá trình tải lên", - "\"{displayName}\" action executed successfully" : "Hành động \"{displayName}\" đã thực thi thành công", "Loading current folder" : "Đang tải thư mục hiện tại", "Retry" : "Thử lại", "No files in here" : "Không có tệp nào", @@ -155,17 +151,21 @@ "File cannot be accessed" : "Không thể truy cập tập tin", "The file could not be found or you do not have permissions to view it. Ask the sender to share it." : "Không thể tìm thấy tệp hoặc bạn không có quyền xem tệp. Hãy yêu cầu người gửi cấp quyền truy cập.", "Clipboard is not available" : "Bộ nhớ tạm không có sẵn", - "WebDAV URL copied to clipboard" : "Đã sao chép URL WebDAV vào bộ nhớ tạm", + "General" : "Cài đặt chung", "All files" : "Tất cả tệp tin", "Sort favorites first" : "Sắp xếp mục yêu thích trước", "Sort folders before files" : "Sắp xếp thư mục trước tập tin", - "Enable folder tree" : "Bật cây thư mục", + "Appearance" : "Giao diện", "Show hidden files" : "Hiển thị các tệp ẩn", "Crop image previews" : "Xén ảnh xem trước", "Additional settings" : "Cài đặt bổ sung", - "Copy to clipboard" : "Sao chép vào bộ nhớ tạm", + "Copy" : "Sao chép", "Keyboard shortcuts" : "Phím tắt", + "Rename" : "Đổi tên", + "Delete" : "Xóa", + "Manage tags" : "Quản lý nhãn", "Selection" : "Lựa chọn", + "Deselect all" : "Bỏ chọn tất cả", "Navigation" : "Điều hướng", "View" : "Xem", "You" : "Bạn", @@ -190,7 +190,6 @@ "Delete files" : "Xoá các tập tin", "Delete folder" : "Xoá thư mục", "Delete folders" : "Xoá các thư mục", - "Delete" : "Xóa", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["Bặn sắp xoá vĩnh viễn {count} mục"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["Bạn sắp xoá {count} mục"], "Confirm deletion" : "Xác nhận xoá", @@ -208,7 +207,6 @@ "The file does not exist anymore" : "Tập tin không tồn tại nữa", "Choose destination" : "Lựa chọn điểm đến", "Copy to {target}" : "Copy to {target}", - "Copy" : "Sao chép", "Move to {target}" : "Di chuyển đến {target}", "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", @@ -218,8 +216,7 @@ "Open locally" : "Mở cục bộ (local)/ ngoại tuyến", "Failed to redirect to client" : "Không thể chuyển hướng đến ứng dụng khách", "Open file locally" : "Mở tệp cục bộ (local)/ ngoại tuyến", - "Rename" : "Đổi tên", - "Open details" : "Mở chi tiết", + "Details" : "Chi tiết", "View in folder" : "Xem trong thư mục", "Today" : "Hôm nay", "Last 7 days" : "7 ngày trước", @@ -229,7 +226,7 @@ "Presentations" : "Bản trình chiếu", "Folders" : "Thư mục", "Audio" : "Âm thanh", - "Photos and images" : "Ảnh", + "Images" : "Hình ảnh", "Videos" : "Phim", "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", @@ -253,7 +250,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "Tên \"{newName}\" đã được sử dụng trong thư mục \"{dir}\". Vui lòng chọn một tên khác.", "Could not rename \"{oldName}\"" : "Không thể đổi tên \"{oldName}\"", "This operation is forbidden" : "Thao tác bị cấm", - "This directory is unavailable, please check the logs or contact the administrator" : "Thư mục này không sẵn có, hãy kiểm tra log hoặc liên hệ người quản lý", "Storage is temporarily not available" : "Kho lưu trữ tạm thời không khả dụng", "_%n file_::_%n files_" : ["%n tập tin"], "_%n folder_::_%n folders_" : ["%n thư mục"], @@ -302,12 +298,12 @@ "Edit locally" : "Chỉnh sửa cục bộ/ngoại tuyến", "Open" : "Mở", "Could not load info for file \"{file}\"" : "Không thể tải thông tin cho tệp \"{file}\"", - "Details" : "Chi tiết", "Please select tag(s) to add to the selection" : "Vui lòng chọn (các) thẻ để thêm vào lựa chọn", "Apply tag(s) to selection" : "Áp dụng (các) thẻ cho lựa chọn", "Select directory \"{dirName}\"" : "Chọn thư mục \"{dirName}\"", "Select file \"{fileName}\"" : "Chọn tệp tin \"{fileName}\"", "Unable to determine date" : "Không thể xác định ngày", + "This directory is unavailable, please check the logs or contact the administrator" : "Thư mục này không sẵn có, hãy kiểm tra log hoặc liên hệ người quản lý", "Could not move \"{file}\", target exists" : "Không thể di chuyển \"{file}\", trùng đích đến", "Could not move \"{file}\"" : "Không thể di chuyển \"{file}\"", "copy" : "sao chép", @@ -354,14 +350,22 @@ "Not favored" : "Không được ưa thích", "An error occurred while trying to update the tags" : "Đã xảy ra lỗi khi cố gắng cập nhật tags", "Upload (max. %s)" : "Tải lên (tối đa %s)", + "\"{displayName}\" action executed successfully" : "Hành động \"{displayName}\" đã thực thi thành công", + "\"{displayName}\" action failed" : "Hành động \"{displayName}\" đã thực thi thất bại", + "\"{displayName}\" batch action executed successfully" : "Chỉnh sửa hàng loạt \"{displayName}\" được thực hiện thành công", "Filter filenames…" : "Lọc tên tệp…", + "WebDAV URL copied to clipboard" : "Đã sao chép URL WebDAV vào bộ nhớ tạm", "Enable the grid view" : "Bật chế độ xem lưới", + "Enable folder tree" : "Bật cây thư mục", + "Copy to clipboard" : "Sao chép vào bộ nhớ tạm", "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", + "Open details" : "Mở chi tiết", + "Photos and images" : "Ảnh", "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}"], diff --git a/apps/files/l10n/zh_CN.js b/apps/files/l10n/zh_CN.js index 843ef0a9fcd..a160a86f978 100644 --- a/apps/files/l10n/zh_CN.js +++ b/apps/files/l10n/zh_CN.js @@ -115,9 +115,6 @@ OC.L10N.register( "Name" : "名称", "File type" : "文件类型", "Size" : "大小", - "\"{displayName}\" failed on some elements" : "“{displayName}”在某些元素上失败", - "\"{displayName}\" batch action executed successfully" : "批量操作“{displayName}”运行成功", - "\"{displayName}\" action failed" : "“{displayName}”操作执行失败", "Actions" : "操作", "(selected)" : "(已选择)", "List of files and folders." : "文件与文件夹列表。", @@ -126,11 +123,7 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "出于性能考虑,此列表未完全呈现。文件将在您浏览列表时呈现。", "File not found" : "文件未找到", "_{count} selected_::_{count} selected_" : ["已选择 {count} 个"], - "Search globally by filename …" : "按文件名全局搜索…", - "Search here by filename …" : "按文件名搜索此处…", "Search scope options" : "搜索范围选项", - "Filter and search from this location" : "从此位置筛选和搜索", - "Search globally" : "全局搜索", "{usedQuotaByte} used" : "已使用 {usedQuotaByte}", "{used} of {quota} used" : "已使用 {used}(共 {quota})", "{relative}% used" : "已使用 {relative}%", @@ -180,7 +173,6 @@ OC.L10N.register( "Error during upload: {message}" : "上传时发生错误: {message}", "Error during upload, status code {status}" : "上传时发生错误,状态码 {status}", "Unknown error during upload" : "上传时发生未知错误", - "\"{displayName}\" action executed successfully" : "“{displayName}”操作执行成功", "Loading current folder" : "正在载入当前文件夹", "Retry" : "重试", "No files in here" : "这里没有文件", @@ -195,49 +187,33 @@ OC.L10N.register( "No search results for “{query}”" : "没有“{query}”的搜索结果", "Search for files" : "搜索文件", "Clipboard is not available" : "剪贴板不可用", - "WebDAV URL copied to clipboard" : "WebDAV 链接已复制到剪贴板", + "General" : "常规", "Default view" : "默认视图", "All files" : "全部文件", "Personal files" : "个人文件", "Sort favorites first" : "收藏排序优先", "Sort folders before files" : "将文件夹排在文件前面", - "Enable folder tree" : "启用文件夹树", - "Visual settings" : "视觉设置", + "Folder tree" : "文件夹树", + "Appearance" : "外观", "Show hidden files" : "显示隐藏文件", "Show file type column" : "显示文件类型列", "Crop image previews" : "裁剪图片预览", - "Show files extensions" : "显示文件扩展名", "Additional settings" : "其他设置", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "复制到剪贴板", - "Use this address to access your Files via WebDAV." : "使用此地址通过 WebDAV 访问您的文件。", + "Copy" : "复制", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "您的账号已启用双因素身份验证,因此您需要使用应用密码来连接外部 WebDAV 客户端。", "Warnings" : "警告", - "Prevent warning dialogs from open or reenable them." : "防止打开或重新启用警告对话框。", - "Show a warning dialog when changing a file extension." : "更改文件扩展名时显示警告对话框。", - "Show a warning dialog when deleting files." : "删除文件时显示警告对话框。", "Keyboard shortcuts" : "键盘快捷键", - "Speed up your Files experience with these quick shortcuts." : "这些快捷键可以加快你的“文件”体验。", - "Open the actions menu for a file" : "打开文件的操作菜单", - "Rename a file" : "重命名文件", - "Delete a file" : "删除文件", - "Favorite or remove a file from favorites" : "把文件添加或移除出收藏夹", - "Manage tags for a file" : "管理文件的标签", + "Rename" : "重命名", + "Delete" : "删除", + "Manage tags" : "管理标签", "Selection" : "选择", "Select all files" : "选择所有文件", - "Deselect all files" : "取消选择所有文件", - "Select or deselect a file" : "选择或取消选择文件", - "Select a range of files" : "选择一系列文件", + "Deselect all" : "全部取消选择", "Navigation" : "导航", - "Navigate to the parent folder" : "前往上一级文件夹", - "Navigate to the file above" : "跳转至以上文件", - "Navigate to the file below" : "跳转至以下文件", - "Navigate to the file on the left (in grid mode)" : "跳转至左侧文件(在网格模式下)", - "Navigate to the file on the right (in grid mode)" : "跳转至右侧文件(在网格模式下)", "View" : "查看", - "Toggle the grid view" : "切换网格视图", - "Open the sidebar for a file" : "在侧边栏打开文件", + "Toggle grid view" : "切换网格视图", "Show those shortcuts" : "显示快捷键", "You" : "您", "Shared multiple times with different people" : "与不同的用户多次分享", @@ -276,7 +252,6 @@ OC.L10N.register( "Delete files" : "删除文件", "Delete folder" : "删除文件夹", "Delete folders" : "删除文件夹", - "Delete" : "删除", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["您正要永久删除 {count} 个项目"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["您正要删除 {count} 个项目"], "Confirm deletion" : "确认删除", @@ -294,7 +269,6 @@ OC.L10N.register( "The file does not exist anymore" : "文件不存在", "Choose destination" : "选择目标路径", "Copy to {target}" : "复制到 {target}", - "Copy" : "复制", "Move to {target}" : "移动到 {target}", "Move" : "移动", "Move or copy operation failed" : "移动或复制失败", @@ -307,8 +281,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "该文件现在应该在你的设备上打开。如果没有,请检查你是否安装了桌面应用程序。", "Retry and close" : "重试并关闭", "Open online" : "在线打开", - "Rename" : "重命名", - "Open details" : "打开详情", + "Details" : "详细信息", "View in folder" : "在文件夹中查看", "Today" : "今日", "Last 7 days" : "过去 7 天", @@ -321,7 +294,7 @@ OC.L10N.register( "PDFs" : "PDF", "Folders" : "文件夹", "Audio" : "音频", - "Photos and images" : "照片和图像", + "Images" : "图片", "Videos" : "视频", "Created new folder \"{name}\"" : "已创建新文件夹“{name}”", "Unable to initialize the templates directory" : "无法初始化模板目录", @@ -348,7 +321,6 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "此名称“{newName}”在这个文件夹“{dir}”已经被使用。请选择其他名称。", "Could not rename \"{oldName}\"" : "无法重命名“{oldName}”", "This operation is forbidden" : "该操作被禁止", - "This directory is unavailable, please check the logs or contact the administrator" : "此目录不可用,请检查日志或联系管理员", "Storage is temporarily not available" : "存储空间暂时不可用", "Unexpected error: {error}" : "意外错误:{error}", "_%n file_::_%n files_" : ["%n 个文件"], @@ -363,7 +335,6 @@ OC.L10N.register( "No favorites yet" : "暂无收藏", "Files and folders you mark as favorite will show up here" : "收藏的文件和文件夹会在这里显示", "List of your files and folders." : "您的文件与文件件列表。", - "Folder tree" : "文件夹树", "List of your files and folders that are not shared." : "尚未分享的文件与文件夹", "No personal files found" : "找不到个人文件", "Files that are not shared will show up here." : "尚未分享的文件会显示在此处", @@ -402,12 +373,12 @@ OC.L10N.register( "Edit locally" : "本地编辑", "Open" : "打开", "Could not load info for file \"{file}\"" : "无法加载文件“{file}”的信息", - "Details" : "详细信息", "Please select tag(s) to add to the selection" : "请选择要添加到所选项目的标签", "Apply tag(s) to selection" : "将标签应用到所选项目", "Select directory \"{dirName}\"" : "选择目录“{dirName}”", "Select file \"{fileName}\"" : "选择文件“{fileName}”", "Unable to determine date" : "无法确定日期", + "This directory is unavailable, please check the logs or contact the administrator" : "此目录不可用,请检查日志或联系管理员", "Could not move \"{file}\", target exists" : "无法移动“{file}”,目标已存在", "Could not move \"{file}\"" : "无法移动“{file}”", "copy" : "复制", @@ -455,15 +426,24 @@ OC.L10N.register( "Not favored" : "未收藏", "An error occurred while trying to update the tags" : "更新标签时出错", "Upload (max. %s)" : "上传 (最大 %s)", + "\"{displayName}\" action executed successfully" : "“{displayName}”操作执行成功", + "\"{displayName}\" action failed" : "“{displayName}”操作执行失败", + "\"{displayName}\" failed on some elements" : "“{displayName}”在某些元素上失败", + "\"{displayName}\" batch action executed successfully" : "批量操作“{displayName}”运行成功", "Submitting fields…" : "提交字段...", "Filter filenames…" : "过滤文件名...", + "WebDAV URL copied to clipboard" : "WebDAV 链接已复制到剪贴板", "Enable the grid view" : "启用网格视图", + "Enable folder tree" : "启用文件夹树", + "Copy to clipboard" : "复制到剪贴板", "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" : "已取消移动或复制操作", + "Open details" : "打开详情", + "Photos and images" : "照片和图像", "New folder creation cancelled" : "取消创建新文件夹", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} 个文件夹"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} 个文件"], @@ -477,6 +457,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s(已重命名)", "renamed file" : "已重命名文件", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "启用与 Windows 兼容的文件名后,无法再修改现有文件,但可以由其所有者重命名为有效的新名称。", - "Filter file names …" : "筛选文件名…" + "Filter file names …" : "筛选文件名…", + "Prevent warning dialogs from open or reenable them." : "防止打开或重新启用警告对话框。", + "Show a warning dialog when changing a file extension." : "更改文件扩展名时显示警告对话框。", + "Speed up your Files experience with these quick shortcuts." : "这些快捷键可以加快你的“文件”体验。", + "Open the actions menu for a file" : "打开文件的操作菜单", + "Rename a file" : "重命名文件", + "Delete a file" : "删除文件", + "Favorite or remove a file from favorites" : "把文件添加或移除出收藏夹", + "Manage tags for a file" : "管理文件的标签", + "Deselect all files" : "取消选择所有文件", + "Select or deselect a file" : "选择或取消选择文件", + "Select a range of files" : "选择一系列文件", + "Navigate to the parent folder" : "前往上一级文件夹", + "Navigate to the file above" : "跳转至以上文件", + "Navigate to the file below" : "跳转至以下文件", + "Navigate to the file on the left (in grid mode)" : "跳转至左侧文件(在网格模式下)", + "Navigate to the file on the right (in grid mode)" : "跳转至右侧文件(在网格模式下)", + "Toggle the grid view" : "切换网格视图", + "Open the sidebar for a file" : "在侧边栏打开文件" }, "nplurals=1; plural=0;"); diff --git a/apps/files/l10n/zh_CN.json b/apps/files/l10n/zh_CN.json index 150cda86283..661f89e775a 100644 --- a/apps/files/l10n/zh_CN.json +++ b/apps/files/l10n/zh_CN.json @@ -113,9 +113,6 @@ "Name" : "名称", "File type" : "文件类型", "Size" : "大小", - "\"{displayName}\" failed on some elements" : "“{displayName}”在某些元素上失败", - "\"{displayName}\" batch action executed successfully" : "批量操作“{displayName}”运行成功", - "\"{displayName}\" action failed" : "“{displayName}”操作执行失败", "Actions" : "操作", "(selected)" : "(已选择)", "List of files and folders." : "文件与文件夹列表。", @@ -124,11 +121,7 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "出于性能考虑,此列表未完全呈现。文件将在您浏览列表时呈现。", "File not found" : "文件未找到", "_{count} selected_::_{count} selected_" : ["已选择 {count} 个"], - "Search globally by filename …" : "按文件名全局搜索…", - "Search here by filename …" : "按文件名搜索此处…", "Search scope options" : "搜索范围选项", - "Filter and search from this location" : "从此位置筛选和搜索", - "Search globally" : "全局搜索", "{usedQuotaByte} used" : "已使用 {usedQuotaByte}", "{used} of {quota} used" : "已使用 {used}(共 {quota})", "{relative}% used" : "已使用 {relative}%", @@ -178,7 +171,6 @@ "Error during upload: {message}" : "上传时发生错误: {message}", "Error during upload, status code {status}" : "上传时发生错误,状态码 {status}", "Unknown error during upload" : "上传时发生未知错误", - "\"{displayName}\" action executed successfully" : "“{displayName}”操作执行成功", "Loading current folder" : "正在载入当前文件夹", "Retry" : "重试", "No files in here" : "这里没有文件", @@ -193,49 +185,33 @@ "No search results for “{query}”" : "没有“{query}”的搜索结果", "Search for files" : "搜索文件", "Clipboard is not available" : "剪贴板不可用", - "WebDAV URL copied to clipboard" : "WebDAV 链接已复制到剪贴板", + "General" : "常规", "Default view" : "默认视图", "All files" : "全部文件", "Personal files" : "个人文件", "Sort favorites first" : "收藏排序优先", "Sort folders before files" : "将文件夹排在文件前面", - "Enable folder tree" : "启用文件夹树", - "Visual settings" : "视觉设置", + "Folder tree" : "文件夹树", + "Appearance" : "外观", "Show hidden files" : "显示隐藏文件", "Show file type column" : "显示文件类型列", "Crop image previews" : "裁剪图片预览", - "Show files extensions" : "显示文件扩展名", "Additional settings" : "其他设置", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "复制到剪贴板", - "Use this address to access your Files via WebDAV." : "使用此地址通过 WebDAV 访问您的文件。", + "Copy" : "复制", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "您的账号已启用双因素身份验证,因此您需要使用应用密码来连接外部 WebDAV 客户端。", "Warnings" : "警告", - "Prevent warning dialogs from open or reenable them." : "防止打开或重新启用警告对话框。", - "Show a warning dialog when changing a file extension." : "更改文件扩展名时显示警告对话框。", - "Show a warning dialog when deleting files." : "删除文件时显示警告对话框。", "Keyboard shortcuts" : "键盘快捷键", - "Speed up your Files experience with these quick shortcuts." : "这些快捷键可以加快你的“文件”体验。", - "Open the actions menu for a file" : "打开文件的操作菜单", - "Rename a file" : "重命名文件", - "Delete a file" : "删除文件", - "Favorite or remove a file from favorites" : "把文件添加或移除出收藏夹", - "Manage tags for a file" : "管理文件的标签", + "Rename" : "重命名", + "Delete" : "删除", + "Manage tags" : "管理标签", "Selection" : "选择", "Select all files" : "选择所有文件", - "Deselect all files" : "取消选择所有文件", - "Select or deselect a file" : "选择或取消选择文件", - "Select a range of files" : "选择一系列文件", + "Deselect all" : "全部取消选择", "Navigation" : "导航", - "Navigate to the parent folder" : "前往上一级文件夹", - "Navigate to the file above" : "跳转至以上文件", - "Navigate to the file below" : "跳转至以下文件", - "Navigate to the file on the left (in grid mode)" : "跳转至左侧文件(在网格模式下)", - "Navigate to the file on the right (in grid mode)" : "跳转至右侧文件(在网格模式下)", "View" : "查看", - "Toggle the grid view" : "切换网格视图", - "Open the sidebar for a file" : "在侧边栏打开文件", + "Toggle grid view" : "切换网格视图", "Show those shortcuts" : "显示快捷键", "You" : "您", "Shared multiple times with different people" : "与不同的用户多次分享", @@ -274,7 +250,6 @@ "Delete files" : "删除文件", "Delete folder" : "删除文件夹", "Delete folders" : "删除文件夹", - "Delete" : "删除", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["您正要永久删除 {count} 个项目"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["您正要删除 {count} 个项目"], "Confirm deletion" : "确认删除", @@ -292,7 +267,6 @@ "The file does not exist anymore" : "文件不存在", "Choose destination" : "选择目标路径", "Copy to {target}" : "复制到 {target}", - "Copy" : "复制", "Move to {target}" : "移动到 {target}", "Move" : "移动", "Move or copy operation failed" : "移动或复制失败", @@ -305,8 +279,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "该文件现在应该在你的设备上打开。如果没有,请检查你是否安装了桌面应用程序。", "Retry and close" : "重试并关闭", "Open online" : "在线打开", - "Rename" : "重命名", - "Open details" : "打开详情", + "Details" : "详细信息", "View in folder" : "在文件夹中查看", "Today" : "今日", "Last 7 days" : "过去 7 天", @@ -319,7 +292,7 @@ "PDFs" : "PDF", "Folders" : "文件夹", "Audio" : "音频", - "Photos and images" : "照片和图像", + "Images" : "图片", "Videos" : "视频", "Created new folder \"{name}\"" : "已创建新文件夹“{name}”", "Unable to initialize the templates directory" : "无法初始化模板目录", @@ -346,7 +319,6 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "此名称“{newName}”在这个文件夹“{dir}”已经被使用。请选择其他名称。", "Could not rename \"{oldName}\"" : "无法重命名“{oldName}”", "This operation is forbidden" : "该操作被禁止", - "This directory is unavailable, please check the logs or contact the administrator" : "此目录不可用,请检查日志或联系管理员", "Storage is temporarily not available" : "存储空间暂时不可用", "Unexpected error: {error}" : "意外错误:{error}", "_%n file_::_%n files_" : ["%n 个文件"], @@ -361,7 +333,6 @@ "No favorites yet" : "暂无收藏", "Files and folders you mark as favorite will show up here" : "收藏的文件和文件夹会在这里显示", "List of your files and folders." : "您的文件与文件件列表。", - "Folder tree" : "文件夹树", "List of your files and folders that are not shared." : "尚未分享的文件与文件夹", "No personal files found" : "找不到个人文件", "Files that are not shared will show up here." : "尚未分享的文件会显示在此处", @@ -400,12 +371,12 @@ "Edit locally" : "本地编辑", "Open" : "打开", "Could not load info for file \"{file}\"" : "无法加载文件“{file}”的信息", - "Details" : "详细信息", "Please select tag(s) to add to the selection" : "请选择要添加到所选项目的标签", "Apply tag(s) to selection" : "将标签应用到所选项目", "Select directory \"{dirName}\"" : "选择目录“{dirName}”", "Select file \"{fileName}\"" : "选择文件“{fileName}”", "Unable to determine date" : "无法确定日期", + "This directory is unavailable, please check the logs or contact the administrator" : "此目录不可用,请检查日志或联系管理员", "Could not move \"{file}\", target exists" : "无法移动“{file}”,目标已存在", "Could not move \"{file}\"" : "无法移动“{file}”", "copy" : "复制", @@ -453,15 +424,24 @@ "Not favored" : "未收藏", "An error occurred while trying to update the tags" : "更新标签时出错", "Upload (max. %s)" : "上传 (最大 %s)", + "\"{displayName}\" action executed successfully" : "“{displayName}”操作执行成功", + "\"{displayName}\" action failed" : "“{displayName}”操作执行失败", + "\"{displayName}\" failed on some elements" : "“{displayName}”在某些元素上失败", + "\"{displayName}\" batch action executed successfully" : "批量操作“{displayName}”运行成功", "Submitting fields…" : "提交字段...", "Filter filenames…" : "过滤文件名...", + "WebDAV URL copied to clipboard" : "WebDAV 链接已复制到剪贴板", "Enable the grid view" : "启用网格视图", + "Enable folder tree" : "启用文件夹树", + "Copy to clipboard" : "复制到剪贴板", "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" : "已取消移动或复制操作", + "Open details" : "打开详情", + "Photos and images" : "照片和图像", "New folder creation cancelled" : "取消创建新文件夹", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} 个文件夹"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} 个文件"], @@ -475,6 +455,24 @@ "%1$s (renamed)" : "%1$s(已重命名)", "renamed file" : "已重命名文件", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "启用与 Windows 兼容的文件名后,无法再修改现有文件,但可以由其所有者重命名为有效的新名称。", - "Filter file names …" : "筛选文件名…" + "Filter file names …" : "筛选文件名…", + "Prevent warning dialogs from open or reenable them." : "防止打开或重新启用警告对话框。", + "Show a warning dialog when changing a file extension." : "更改文件扩展名时显示警告对话框。", + "Speed up your Files experience with these quick shortcuts." : "这些快捷键可以加快你的“文件”体验。", + "Open the actions menu for a file" : "打开文件的操作菜单", + "Rename a file" : "重命名文件", + "Delete a file" : "删除文件", + "Favorite or remove a file from favorites" : "把文件添加或移除出收藏夹", + "Manage tags for a file" : "管理文件的标签", + "Deselect all files" : "取消选择所有文件", + "Select or deselect a file" : "选择或取消选择文件", + "Select a range of files" : "选择一系列文件", + "Navigate to the parent folder" : "前往上一级文件夹", + "Navigate to the file above" : "跳转至以上文件", + "Navigate to the file below" : "跳转至以下文件", + "Navigate to the file on the left (in grid mode)" : "跳转至左侧文件(在网格模式下)", + "Navigate to the file on the right (in grid mode)" : "跳转至右侧文件(在网格模式下)", + "Toggle the grid view" : "切换网格视图", + "Open the sidebar for a file" : "在侧边栏打开文件" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files/l10n/zh_HK.js b/apps/files/l10n/zh_HK.js index ad14f5403b1..395318ef440 100644 --- a/apps/files/l10n/zh_HK.js +++ b/apps/files/l10n/zh_HK.js @@ -115,9 +115,9 @@ OC.L10N.register( "Name" : "名稱", "File type" : "檔案類型", "Size" : "大小", - "\"{displayName}\" failed on some elements" : "“{displayName}” 在某些元素上失敗", - "\"{displayName}\" batch action executed successfully" : "成功執行 “{displayName}” 批處理操作", - "\"{displayName}\" action failed" : "“{displayName}” 操作失敗", + "{displayName}: failed on some elements" : "{displayName}:在部份元素上失敗", + "{displayName}: done" : "{displayName}:完成", + "{displayName}: failed" : "{displayName}:失敗", "Actions" : "操作", "(selected)" : "(已選擇)", "List of files and folders." : "檔案與資料夾清單。", @@ -126,11 +126,10 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "出於性能考慮,此清單未完全呈現。檔案將在您瀏覽清單時呈現。", "File not found" : "找不到檔案", "_{count} selected_::_{count} selected_" : ["已選擇 {count} 項"], - "Search globally by filename …" : "按檔案名稱全局地搜尋 …", - "Search here by filename …" : "按檔案名稱搜尋此處 …", + "Search everywhere …" : "搜尋各處 …", + "Search here …" : "搜尋此處 …", "Search scope options" : "搜尋範圍選項", - "Filter and search from this location" : "從此位置過濾並搜尋", - "Search globally" : "全域搜尋", + "Search here" : "搜尋此處", "{usedQuotaByte} used" : "已使用 {usedQuotaByte} ", "{used} of {quota} used" : "已使用 {quota} 當中的 {used}", "{relative}% used" : "已使用 {relative}%", @@ -180,7 +179,6 @@ OC.L10N.register( "Error during upload: {message}" : "上傳時發生錯誤:{message}", "Error during upload, status code {status}" : "上傳期間發生錯誤,狀態代碼 {status}", "Unknown error during upload" : "上傳時發生未知的錯誤", - "\"{displayName}\" action executed successfully" : "成功執行 “{displayName}” 操作", "Loading current folder" : "目前資料夾加載中", "Retry" : "重試", "No files in here" : "沒有任何檔案", @@ -195,49 +193,48 @@ OC.L10N.register( "No search results for “{query}”" : "沒有結果符合「{query}」", "Search for files" : "搜尋檔案", "Clipboard is not available" : "剪貼板不可用", - "WebDAV URL copied to clipboard" : "WebDAV 連結已複製到剪貼板", + "WebDAV URL copied" : "已複製 WebDAV URL", + "General" : "一般", "Default view" : "默認檢視", "All files" : "所有檔案", "Personal files" : "個人檔案", "Sort favorites first" : "先排序最愛", "Sort folders before files" : "將資料夾在檔案之前排序", - "Enable folder tree" : "啟用資料夾樹狀結構", - "Visual settings" : "視覺設定", + "Folder tree" : "資料夾樹", + "Appearance" : "外觀", "Show hidden files" : "顯示隱藏檔案", "Show file type column" : "顯示檔案類型縱列", + "Show file extensions" : "顯示副檔名", "Crop image previews" : "圖片裁剪預覽", - "Show files extensions" : "顯示副檔案名", "Additional settings" : "其他設定", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "複製到剪貼板", - "Use this address to access your Files via WebDAV." : "使用此位置透過 WebDAV 存取您的檔案。", + "Copy" : "複製", + "How to access files using WebDAV" : "如何使用 WebDAV 存取檔案", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "您的帳號已啟用兩階段驗證,因此您必須使用應用程式密碼才能連結外部 WebDAV 帳號。", "Warnings" : "警告", - "Prevent warning dialogs from open or reenable them." : "避免開啟警告對話框或重新啟用它們。", - "Show a warning dialog when changing a file extension." : "在變更副檔名時顯示警告對話框。", - "Show a warning dialog when deleting files." : "在刪除檔案時顯示警告對話框。", + "Warn before changing a file extension" : "變更副檔名前警告", + "Warn before deleting files" : "刪除檔案前警告", "Keyboard shortcuts" : "鍵盤快捷鍵", - "Speed up your Files experience with these quick shortcuts." : "這些快速捷徑可加快您的 Files 體驗。", - "Open the actions menu for a file" : "開啟檔案的操作選項單", - "Rename a file" : "重新命名檔案", - "Delete a file" : "刪除檔案", - "Favorite or remove a file from favorites" : "加入最愛或從最愛移除檔案", - "Manage tags for a file" : "管理檔案的標籤", + "File actions" : "檔案操作", + "Rename" : "重新命名", + "Delete" : "刪除", + "Add or remove favorite" : "新增或移除最愛", + "Manage tags" : "管理標籤", "Selection" : "選擇", "Select all files" : "選擇所有檔案", - "Deselect all files" : "取消選擇所有檔案", - "Select or deselect a file" : "選擇或取消選擇檔案", - "Select a range of files" : "選擇一系列檔案", + "Deselect all" : "取消全選", + "Select or deselect" : "選取或取消選取", + "Select a range" : "選取範圍", "Navigation" : "導覽列", - "Navigate to the parent folder" : "前往上層資料夾", - "Navigate to the file above" : "前往以上檔案", - "Navigate to the file below" : "前往以下檔案", - "Navigate to the file on the left (in grid mode)" : "前往左側的檔案(在網格模式下)", - "Navigate to the file on the right (in grid mode)" : "前往右側的檔案(在網格模式下)", + "Go to parent folder" : "前往上層資料夾", + "Go to file above" : "前往以上檔案", + "Go to file below" : "前往以下檔案", + "Go left in grid" : "在網格中向左", + "Go right in grid" : "在網格中向右", "View" : "檢視", - "Toggle the grid view" : "切換網格檢視", - "Open the sidebar for a file" : "開啟檔案側邊欄", + "Toggle grid view" : "切換網格檢視", + "Open file sidebar" : "開啟檔案側邊欄", "Show those shortcuts" : "顯示這些快捷鍵", "You" : "您", "Shared multiple times with different people" : "與不同的人多次分享", @@ -276,7 +273,6 @@ OC.L10N.register( "Delete files" : "刪除檔案", "Delete folder" : "刪除資料夾", "Delete folders" : "刪除資料夾", - "Delete" : "刪除", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["您即將永久刪除 {count} 個項目"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["您即將刪除 {count} 個項目"], "Confirm deletion" : "確認刪除", @@ -294,7 +290,6 @@ OC.L10N.register( "The file does not exist anymore" : "檔案已不存在", "Choose destination" : "選擇目標地", "Copy to {target}" : "複製到 {target}", - "Copy" : "複製", "Move to {target}" : "移動到 {target}", "Move" : "移動", "Move or copy operation failed" : "移動或複製操作失敗", @@ -307,8 +302,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "檔案現在應該在您的裝置上打開。如果沒有,請檢查您是否已安裝桌面應用程式。", "Retry and close" : "重試和關閉", "Open online" : "線上開啟", - "Rename" : "重新命名", - "Open details" : "開啟細節", + "Details" : "詳細資料", "View in folder" : "在資料夾中檢視", "Today" : "今日", "Last 7 days" : "過去7日", @@ -321,7 +315,7 @@ OC.L10N.register( "PDFs" : "PDF", "Folders" : "資料夾", "Audio" : "音頻", - "Photos and images" : "照片與圖像", + "Images" : "圖像", "Videos" : "影片", "Created new folder \"{name}\"" : "創建了新資料夾 \"{name}\"", "Unable to initialize the templates directory" : "無法初始化模板目錄", @@ -348,7 +342,7 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "此名稱「{newName}」在這資料夾「{dir}」已經被使用。請選擇其他名稱。", "Could not rename \"{oldName}\"" : "無法重新命名「{oldName}」", "This operation is forbidden" : "此操作被禁止", - "This directory is unavailable, please check the logs or contact the administrator" : "這個目錄無法存取,請檢查伺服器記錄檔或聯絡管理員", + "This folder is unavailable, please try again later or contact the administration" : "此資料夾無法使用,請稍後再試或聯絡管理員", "Storage is temporarily not available" : "儲存空間暫時無法使用", "Unexpected error: {error}" : "意外錯誤:{error}", "_%n file_::_%n files_" : ["%n 個檔案"], @@ -363,7 +357,6 @@ OC.L10N.register( "No favorites yet" : "尚無最愛", "Files and folders you mark as favorite will show up here" : "您標記為最愛的檔案與資料夾將會顯示在這裡", "List of your files and folders." : "您的檔案與資料夾清單。", - "Folder tree" : "資料夾樹", "List of your files and folders that are not shared." : "未分享的檔案與資料夾清單。", "No personal files found" : "找不到個人檔案", "Files that are not shared will show up here." : "尚未分享的檔案將會顯示在此處。", @@ -402,12 +395,12 @@ OC.L10N.register( "Edit locally" : "在近端編輯", "Open" : "開啟", "Could not load info for file \"{file}\"" : "無法讀取 \"{file}\" 的詳細資料", - "Details" : "詳細資料", "Please select tag(s) to add to the selection" : "請選擇要添加到所選項目中的標籤", "Apply tag(s) to selection" : "將標籤應用於所選項目", "Select directory \"{dirName}\"" : "選擇目錄「{dirName}」", "Select file \"{fileName}\"" : "選擇檔案「{fileName}」", "Unable to determine date" : "無法確定日期", + "This directory is unavailable, please check the logs or contact the administrator" : "這個目錄無法存取,請檢查伺服器記錄檔或聯絡管理員", "Could not move \"{file}\", target exists" : "無法移動「{file}」,目標已經存在", "Could not move \"{file}\"" : "無法移動 \"{file}\"", "copy" : "複製", @@ -455,15 +448,24 @@ OC.L10N.register( "Not favored" : "未加入最愛", "An error occurred while trying to update the tags" : "更新標籤時發生錯誤", "Upload (max. %s)" : "上傳(上限 %s)", + "\"{displayName}\" action executed successfully" : "成功執行 “{displayName}” 操作", + "\"{displayName}\" action failed" : "“{displayName}” 操作失敗", + "\"{displayName}\" failed on some elements" : "“{displayName}” 在某些元素上失敗", + "\"{displayName}\" batch action executed successfully" : "成功執行 “{displayName}” 批處理操作", "Submitting fields…" : "正在遞交欄位 …", "Filter filenames…" : "過濾檔案名 ...", + "WebDAV URL copied to clipboard" : "WebDAV 連結已複製到剪貼板", "Enable the grid view" : "啟用網格檢視", + "Enable folder tree" : "啟用資料夾樹狀結構", + "Copy to clipboard" : "複製到剪貼板", "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" : "已取消移動或複製操作", + "Open details" : "開啟細節", + "Photos and images" : "照片與圖像", "New folder creation cancelled" : "已取消建立新資料夾", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} 個資料夾"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} 個檔案"], @@ -477,6 +479,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s(已重新命名)", "renamed file" : "已重新命名的檔案", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "啟用 Windows 兼容檔案名後,現有的檔案無法再被修改,但其擁有者可以將其重新命名為有效的新名稱。", - "Filter file names …" : "過濾檔案名稱 …" + "Filter file names …" : "過濾檔案名稱 …", + "Prevent warning dialogs from open or reenable them." : "避免開啟警告對話框或重新啟用它們。", + "Show a warning dialog when changing a file extension." : "在變更副檔名時顯示警告對話框。", + "Speed up your Files experience with these quick shortcuts." : "這些快速捷徑可加快您的 Files 體驗。", + "Open the actions menu for a file" : "開啟檔案的操作選項單", + "Rename a file" : "重新命名檔案", + "Delete a file" : "刪除檔案", + "Favorite or remove a file from favorites" : "加入最愛或從最愛移除檔案", + "Manage tags for a file" : "管理檔案的標籤", + "Deselect all files" : "取消選擇所有檔案", + "Select or deselect a file" : "選擇或取消選擇檔案", + "Select a range of files" : "選擇一系列檔案", + "Navigate to the parent folder" : "前往上層資料夾", + "Navigate to the file above" : "前往以上檔案", + "Navigate to the file below" : "前往以下檔案", + "Navigate to the file on the left (in grid mode)" : "前往左側的檔案(在網格模式下)", + "Navigate to the file on the right (in grid mode)" : "前往右側的檔案(在網格模式下)", + "Toggle the grid view" : "切換網格檢視", + "Open the sidebar for a file" : "開啟檔案側邊欄" }, "nplurals=1; plural=0;"); diff --git a/apps/files/l10n/zh_HK.json b/apps/files/l10n/zh_HK.json index 5b12827cc7f..c05a040a426 100644 --- a/apps/files/l10n/zh_HK.json +++ b/apps/files/l10n/zh_HK.json @@ -113,9 +113,9 @@ "Name" : "名稱", "File type" : "檔案類型", "Size" : "大小", - "\"{displayName}\" failed on some elements" : "“{displayName}” 在某些元素上失敗", - "\"{displayName}\" batch action executed successfully" : "成功執行 “{displayName}” 批處理操作", - "\"{displayName}\" action failed" : "“{displayName}” 操作失敗", + "{displayName}: failed on some elements" : "{displayName}:在部份元素上失敗", + "{displayName}: done" : "{displayName}:完成", + "{displayName}: failed" : "{displayName}:失敗", "Actions" : "操作", "(selected)" : "(已選擇)", "List of files and folders." : "檔案與資料夾清單。", @@ -124,11 +124,10 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "出於性能考慮,此清單未完全呈現。檔案將在您瀏覽清單時呈現。", "File not found" : "找不到檔案", "_{count} selected_::_{count} selected_" : ["已選擇 {count} 項"], - "Search globally by filename …" : "按檔案名稱全局地搜尋 …", - "Search here by filename …" : "按檔案名稱搜尋此處 …", + "Search everywhere …" : "搜尋各處 …", + "Search here …" : "搜尋此處 …", "Search scope options" : "搜尋範圍選項", - "Filter and search from this location" : "從此位置過濾並搜尋", - "Search globally" : "全域搜尋", + "Search here" : "搜尋此處", "{usedQuotaByte} used" : "已使用 {usedQuotaByte} ", "{used} of {quota} used" : "已使用 {quota} 當中的 {used}", "{relative}% used" : "已使用 {relative}%", @@ -178,7 +177,6 @@ "Error during upload: {message}" : "上傳時發生錯誤:{message}", "Error during upload, status code {status}" : "上傳期間發生錯誤,狀態代碼 {status}", "Unknown error during upload" : "上傳時發生未知的錯誤", - "\"{displayName}\" action executed successfully" : "成功執行 “{displayName}” 操作", "Loading current folder" : "目前資料夾加載中", "Retry" : "重試", "No files in here" : "沒有任何檔案", @@ -193,49 +191,48 @@ "No search results for “{query}”" : "沒有結果符合「{query}」", "Search for files" : "搜尋檔案", "Clipboard is not available" : "剪貼板不可用", - "WebDAV URL copied to clipboard" : "WebDAV 連結已複製到剪貼板", + "WebDAV URL copied" : "已複製 WebDAV URL", + "General" : "一般", "Default view" : "默認檢視", "All files" : "所有檔案", "Personal files" : "個人檔案", "Sort favorites first" : "先排序最愛", "Sort folders before files" : "將資料夾在檔案之前排序", - "Enable folder tree" : "啟用資料夾樹狀結構", - "Visual settings" : "視覺設定", + "Folder tree" : "資料夾樹", + "Appearance" : "外觀", "Show hidden files" : "顯示隱藏檔案", "Show file type column" : "顯示檔案類型縱列", + "Show file extensions" : "顯示副檔名", "Crop image previews" : "圖片裁剪預覽", - "Show files extensions" : "顯示副檔案名", "Additional settings" : "其他設定", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "複製到剪貼板", - "Use this address to access your Files via WebDAV." : "使用此位置透過 WebDAV 存取您的檔案。", + "Copy" : "複製", + "How to access files using WebDAV" : "如何使用 WebDAV 存取檔案", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "您的帳號已啟用兩階段驗證,因此您必須使用應用程式密碼才能連結外部 WebDAV 帳號。", "Warnings" : "警告", - "Prevent warning dialogs from open or reenable them." : "避免開啟警告對話框或重新啟用它們。", - "Show a warning dialog when changing a file extension." : "在變更副檔名時顯示警告對話框。", - "Show a warning dialog when deleting files." : "在刪除檔案時顯示警告對話框。", + "Warn before changing a file extension" : "變更副檔名前警告", + "Warn before deleting files" : "刪除檔案前警告", "Keyboard shortcuts" : "鍵盤快捷鍵", - "Speed up your Files experience with these quick shortcuts." : "這些快速捷徑可加快您的 Files 體驗。", - "Open the actions menu for a file" : "開啟檔案的操作選項單", - "Rename a file" : "重新命名檔案", - "Delete a file" : "刪除檔案", - "Favorite or remove a file from favorites" : "加入最愛或從最愛移除檔案", - "Manage tags for a file" : "管理檔案的標籤", + "File actions" : "檔案操作", + "Rename" : "重新命名", + "Delete" : "刪除", + "Add or remove favorite" : "新增或移除最愛", + "Manage tags" : "管理標籤", "Selection" : "選擇", "Select all files" : "選擇所有檔案", - "Deselect all files" : "取消選擇所有檔案", - "Select or deselect a file" : "選擇或取消選擇檔案", - "Select a range of files" : "選擇一系列檔案", + "Deselect all" : "取消全選", + "Select or deselect" : "選取或取消選取", + "Select a range" : "選取範圍", "Navigation" : "導覽列", - "Navigate to the parent folder" : "前往上層資料夾", - "Navigate to the file above" : "前往以上檔案", - "Navigate to the file below" : "前往以下檔案", - "Navigate to the file on the left (in grid mode)" : "前往左側的檔案(在網格模式下)", - "Navigate to the file on the right (in grid mode)" : "前往右側的檔案(在網格模式下)", + "Go to parent folder" : "前往上層資料夾", + "Go to file above" : "前往以上檔案", + "Go to file below" : "前往以下檔案", + "Go left in grid" : "在網格中向左", + "Go right in grid" : "在網格中向右", "View" : "檢視", - "Toggle the grid view" : "切換網格檢視", - "Open the sidebar for a file" : "開啟檔案側邊欄", + "Toggle grid view" : "切換網格檢視", + "Open file sidebar" : "開啟檔案側邊欄", "Show those shortcuts" : "顯示這些快捷鍵", "You" : "您", "Shared multiple times with different people" : "與不同的人多次分享", @@ -274,7 +271,6 @@ "Delete files" : "刪除檔案", "Delete folder" : "刪除資料夾", "Delete folders" : "刪除資料夾", - "Delete" : "刪除", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["您即將永久刪除 {count} 個項目"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["您即將刪除 {count} 個項目"], "Confirm deletion" : "確認刪除", @@ -292,7 +288,6 @@ "The file does not exist anymore" : "檔案已不存在", "Choose destination" : "選擇目標地", "Copy to {target}" : "複製到 {target}", - "Copy" : "複製", "Move to {target}" : "移動到 {target}", "Move" : "移動", "Move or copy operation failed" : "移動或複製操作失敗", @@ -305,8 +300,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "檔案現在應該在您的裝置上打開。如果沒有,請檢查您是否已安裝桌面應用程式。", "Retry and close" : "重試和關閉", "Open online" : "線上開啟", - "Rename" : "重新命名", - "Open details" : "開啟細節", + "Details" : "詳細資料", "View in folder" : "在資料夾中檢視", "Today" : "今日", "Last 7 days" : "過去7日", @@ -319,7 +313,7 @@ "PDFs" : "PDF", "Folders" : "資料夾", "Audio" : "音頻", - "Photos and images" : "照片與圖像", + "Images" : "圖像", "Videos" : "影片", "Created new folder \"{name}\"" : "創建了新資料夾 \"{name}\"", "Unable to initialize the templates directory" : "無法初始化模板目錄", @@ -346,7 +340,7 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "此名稱「{newName}」在這資料夾「{dir}」已經被使用。請選擇其他名稱。", "Could not rename \"{oldName}\"" : "無法重新命名「{oldName}」", "This operation is forbidden" : "此操作被禁止", - "This directory is unavailable, please check the logs or contact the administrator" : "這個目錄無法存取,請檢查伺服器記錄檔或聯絡管理員", + "This folder is unavailable, please try again later or contact the administration" : "此資料夾無法使用,請稍後再試或聯絡管理員", "Storage is temporarily not available" : "儲存空間暫時無法使用", "Unexpected error: {error}" : "意外錯誤:{error}", "_%n file_::_%n files_" : ["%n 個檔案"], @@ -361,7 +355,6 @@ "No favorites yet" : "尚無最愛", "Files and folders you mark as favorite will show up here" : "您標記為最愛的檔案與資料夾將會顯示在這裡", "List of your files and folders." : "您的檔案與資料夾清單。", - "Folder tree" : "資料夾樹", "List of your files and folders that are not shared." : "未分享的檔案與資料夾清單。", "No personal files found" : "找不到個人檔案", "Files that are not shared will show up here." : "尚未分享的檔案將會顯示在此處。", @@ -400,12 +393,12 @@ "Edit locally" : "在近端編輯", "Open" : "開啟", "Could not load info for file \"{file}\"" : "無法讀取 \"{file}\" 的詳細資料", - "Details" : "詳細資料", "Please select tag(s) to add to the selection" : "請選擇要添加到所選項目中的標籤", "Apply tag(s) to selection" : "將標籤應用於所選項目", "Select directory \"{dirName}\"" : "選擇目錄「{dirName}」", "Select file \"{fileName}\"" : "選擇檔案「{fileName}」", "Unable to determine date" : "無法確定日期", + "This directory is unavailable, please check the logs or contact the administrator" : "這個目錄無法存取,請檢查伺服器記錄檔或聯絡管理員", "Could not move \"{file}\", target exists" : "無法移動「{file}」,目標已經存在", "Could not move \"{file}\"" : "無法移動 \"{file}\"", "copy" : "複製", @@ -453,15 +446,24 @@ "Not favored" : "未加入最愛", "An error occurred while trying to update the tags" : "更新標籤時發生錯誤", "Upload (max. %s)" : "上傳(上限 %s)", + "\"{displayName}\" action executed successfully" : "成功執行 “{displayName}” 操作", + "\"{displayName}\" action failed" : "“{displayName}” 操作失敗", + "\"{displayName}\" failed on some elements" : "“{displayName}” 在某些元素上失敗", + "\"{displayName}\" batch action executed successfully" : "成功執行 “{displayName}” 批處理操作", "Submitting fields…" : "正在遞交欄位 …", "Filter filenames…" : "過濾檔案名 ...", + "WebDAV URL copied to clipboard" : "WebDAV 連結已複製到剪貼板", "Enable the grid view" : "啟用網格檢視", + "Enable folder tree" : "啟用資料夾樹狀結構", + "Copy to clipboard" : "複製到剪貼板", "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" : "已取消移動或複製操作", + "Open details" : "開啟細節", + "Photos and images" : "照片與圖像", "New folder creation cancelled" : "已取消建立新資料夾", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} 個資料夾"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} 個檔案"], @@ -475,6 +477,24 @@ "%1$s (renamed)" : "%1$s(已重新命名)", "renamed file" : "已重新命名的檔案", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "啟用 Windows 兼容檔案名後,現有的檔案無法再被修改,但其擁有者可以將其重新命名為有效的新名稱。", - "Filter file names …" : "過濾檔案名稱 …" + "Filter file names …" : "過濾檔案名稱 …", + "Prevent warning dialogs from open or reenable them." : "避免開啟警告對話框或重新啟用它們。", + "Show a warning dialog when changing a file extension." : "在變更副檔名時顯示警告對話框。", + "Speed up your Files experience with these quick shortcuts." : "這些快速捷徑可加快您的 Files 體驗。", + "Open the actions menu for a file" : "開啟檔案的操作選項單", + "Rename a file" : "重新命名檔案", + "Delete a file" : "刪除檔案", + "Favorite or remove a file from favorites" : "加入最愛或從最愛移除檔案", + "Manage tags for a file" : "管理檔案的標籤", + "Deselect all files" : "取消選擇所有檔案", + "Select or deselect a file" : "選擇或取消選擇檔案", + "Select a range of files" : "選擇一系列檔案", + "Navigate to the parent folder" : "前往上層資料夾", + "Navigate to the file above" : "前往以上檔案", + "Navigate to the file below" : "前往以下檔案", + "Navigate to the file on the left (in grid mode)" : "前往左側的檔案(在網格模式下)", + "Navigate to the file on the right (in grid mode)" : "前往右側的檔案(在網格模式下)", + "Toggle the grid view" : "切換網格檢視", + "Open the sidebar for a file" : "開啟檔案側邊欄" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files/l10n/zh_TW.js b/apps/files/l10n/zh_TW.js index 6fd7d9e8e64..d895fbc5c68 100644 --- a/apps/files/l10n/zh_TW.js +++ b/apps/files/l10n/zh_TW.js @@ -115,9 +115,9 @@ OC.L10N.register( "Name" : "名稱", "File type" : "檔案類型", "Size" : "大小", - "\"{displayName}\" failed on some elements" : "「{displayName}」在某些元素上失敗", - "\"{displayName}\" batch action executed successfully" : "「{displayName}」批次動作執行成功", - "\"{displayName}\" action failed" : "「{displayName}」操作失敗", + "{displayName}: failed on some elements" : "{displayName}:在部份元素上失敗", + "{displayName}: done" : "{displayName}:完成", + "{displayName}: failed" : "{displayName}:失敗", "Actions" : "動作", "(selected)" : "(已選取)", "List of files and folders." : "檔案與資料夾清單。", @@ -126,11 +126,10 @@ OC.L10N.register( "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "出於效能考量,此清單未完全呈現。檔案將在您瀏覽清單時呈現。", "File not found" : "找不到檔案", "_{count} selected_::_{count} selected_" : ["已選取 {count} 個"], - "Search globally by filename …" : "按檔案名稱全域搜尋……", - "Search here by filename …" : "按檔案名稱搜尋此處……", + "Search everywhere …" : "搜尋各處……", + "Search here …" : "搜尋此處……", "Search scope options" : "搜尋範圍選項", - "Filter and search from this location" : "從此位置過濾並搜尋", - "Search globally" : "全域搜尋", + "Search here" : "搜尋此處", "{usedQuotaByte} used" : "已使用 {usedQuotaByte}", "{used} of {quota} used" : "已使用 {used},共 {quota}", "{relative}% used" : "已使用 {relative}%", @@ -180,7 +179,6 @@ OC.L10N.register( "Error during upload: {message}" : "上傳時發生錯誤:{message}", "Error during upload, status code {status}" : "上傳時發生錯誤,狀態碼 {status}", "Unknown error during upload" : "上傳時發生未知的錯誤", - "\"{displayName}\" action executed successfully" : "「{displayName}」動作執行成功", "Loading current folder" : "正在載入目前資料夾", "Retry" : "重試", "No files in here" : "沒有任何檔案", @@ -195,49 +193,48 @@ OC.L10N.register( "No search results for “{query}”" : "沒有結果符合「{query}」", "Search for files" : "搜尋檔案", "Clipboard is not available" : "剪貼簿無法使用", - "WebDAV URL copied to clipboard" : "WebDAV URL 已複製到剪貼簿", + "WebDAV URL copied" : "已複製 WebDAV URL", + "General" : "一般", "Default view" : "預設檢視", "All files" : "所有檔案", "Personal files" : "個人檔案", "Sort favorites first" : "先排序喜愛", "Sort folders before files" : "將資料夾排序在檔案前", - "Enable folder tree" : "啟用資料夾樹", - "Visual settings" : "視覺設定", + "Folder tree" : "資料夾樹", + "Appearance" : "外觀", "Show hidden files" : "顯示隱藏檔", "Show file type column" : "顯示檔案類型欄位", + "Show file extensions" : "顯示副檔名", "Crop image previews" : "圖片裁剪預覽", - "Show files extensions" : "顯示副檔名", "Additional settings" : "其他設定", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "複製到剪貼簿", - "Use this address to access your Files via WebDAV." : "使用此位置透過 WebDAV 存取您的檔案。", + "Copy" : "複製", + "How to access files using WebDAV" : "如何使用 WebDAV 存取檔案", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "您的帳號已啟用兩階段驗證,因此您必須使用應用程式密碼才能連結外部 WebDAV 帳號。", "Warnings" : "警告", - "Prevent warning dialogs from open or reenable them." : "避免開啟警告對話方塊或重新啟用它們。", - "Show a warning dialog when changing a file extension." : "在變更副檔名時顯示警告對話方塊。", - "Show a warning dialog when deleting files." : "在刪除檔案時顯示警告對話方塊。", + "Warn before changing a file extension" : "變更副檔名前警告", + "Warn before deleting files" : "刪除檔案前警告", "Keyboard shortcuts" : "鍵盤快速鍵", - "Speed up your Files experience with these quick shortcuts." : "使用這些快捷鍵加速您的 Files 體驗。", - "Open the actions menu for a file" : "開啟檔案的動作選單", - "Rename a file" : "重新命名檔案", - "Delete a file" : "刪除檔案", - "Favorite or remove a file from favorites" : "加入最愛或從最愛移除檔案", - "Manage tags for a file" : "管理檔案的標籤", + "File actions" : "檔案動作", + "Rename" : "重新命名", + "Delete" : "刪除", + "Add or remove favorite" : "新增或移除最愛", + "Manage tags" : "管理標籤", "Selection" : "選取", "Select all files" : "選取所有檔案", - "Deselect all files" : "取消選取所有檔案", - "Select or deselect a file" : "選取或取消選取檔案", - "Select a range of files" : "選取檔案範圍", + "Deselect all" : "取消全選", + "Select or deselect" : "選取或取消選取", + "Select a range" : "選取範圍", "Navigation" : "導覽列", - "Navigate to the parent folder" : "前往上層資料夾", - "Navigate to the file above" : "前往上述檔案", - "Navigate to the file below" : "前往以下檔案", - "Navigate to the file on the left (in grid mode)" : "前往左側的檔案(在網格模式下)", - "Navigate to the file on the right (in grid mode)" : "前往右側的檔案(在網格模式下)", + "Go to parent folder" : "前往上層資料夾", + "Go to file above" : "前往以上檔案", + "Go to file below" : "前往以下檔案", + "Go left in grid" : "在網格中向左", + "Go right in grid" : "在網格中向右", "View" : "檢視", - "Toggle the grid view" : "切換網格檢視", - "Open the sidebar for a file" : "開啟檔案側邊欄", + "Toggle grid view" : "切換網格檢視", + "Open file sidebar" : "開啟檔案側邊欄", "Show those shortcuts" : "顯示這些快捷鍵", "You" : "您", "Shared multiple times with different people" : "與不同的人多次分享", @@ -276,7 +273,6 @@ OC.L10N.register( "Delete files" : "刪除檔案", "Delete folder" : "刪除資料夾", "Delete folders" : "刪除資料夾", - "Delete" : "刪除", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["您將要永久刪除 {count} 個項目"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["您將要刪除 {count} 個項目"], "Confirm deletion" : "確認刪除", @@ -294,7 +290,6 @@ OC.L10N.register( "The file does not exist anymore" : "檔案已不存在", "Choose destination" : "選擇目的地", "Copy to {target}" : "複製到 {target}", - "Copy" : "複製", "Move to {target}" : "移動到 {target}", "Move" : "移動", "Move or copy operation failed" : "移動或複製操作失敗", @@ -307,8 +302,7 @@ OC.L10N.register( "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "檔案現在應該可以在您的裝置上開啟。如果打不開,請檢查您是否有安裝桌面應用程式。", "Retry and close" : "重試並關閉", "Open online" : "線上開啟", - "Rename" : "重新命名", - "Open details" : "開啟詳細資訊", + "Details" : "詳細資料", "View in folder" : "在資料夾中檢視", "Today" : "今日", "Last 7 days" : "過去7天", @@ -321,7 +315,7 @@ OC.L10N.register( "PDFs" : "PDF", "Folders" : "資料夾", "Audio" : "音訊", - "Photos and images" : "照片與影像", + "Images" : "圖片", "Videos" : "影片", "Created new folder \"{name}\"" : "已建立新資料夾「{name}」", "Unable to initialize the templates directory" : "無法初始化範本目錄", @@ -348,7 +342,7 @@ OC.L10N.register( "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "此名稱「{newName}」在資料夾「{dir}」中已被使用。請改用其他名稱。", "Could not rename \"{oldName}\"" : "無法重新命名「{oldName}」", "This operation is forbidden" : "此操作被禁止", - "This directory is unavailable, please check the logs or contact the administrator" : "這個目錄無法取用,請檢查伺服器紀錄檔或聯絡管理員", + "This folder is unavailable, please try again later or contact the administration" : "此資料夾無法使用,請稍後再試或聯絡管理員", "Storage is temporarily not available" : "儲存空間暫時無法使用", "Unexpected error: {error}" : "意外錯誤:{error}", "_%n file_::_%n files_" : ["%n 個檔案"], @@ -363,7 +357,6 @@ OC.L10N.register( "No favorites yet" : "尚無喜愛", "Files and folders you mark as favorite will show up here" : "您標記為喜愛的檔案與資料夾將會顯示在這裡", "List of your files and folders." : "您的檔案與資料夾清單。", - "Folder tree" : "資料夾樹", "List of your files and folders that are not shared." : "未分享的檔案與資料夾清單。", "No personal files found" : "找不到個人檔案", "Files that are not shared will show up here." : "尚未分享的檔案將會顯示在此處。", @@ -402,12 +395,12 @@ OC.L10N.register( "Edit locally" : "在本機編輯", "Open" : "開啟", "Could not load info for file \"{file}\"" : "無法讀取「{file}」的詳細資料", - "Details" : "詳細資料", "Please select tag(s) to add to the selection" : "請選取要新增到選定項目的標籤", "Apply tag(s) to selection" : "將標籤套用至選定項目", "Select directory \"{dirName}\"" : "選取目錄「{dirName}」", "Select file \"{fileName}\"" : "選取檔案「{fileName}」", "Unable to determine date" : "無法確定日期", + "This directory is unavailable, please check the logs or contact the administrator" : "這個目錄無法取用,請檢查伺服器紀錄檔或聯絡管理員", "Could not move \"{file}\", target exists" : "無法移動「{file}」,目標已經存在", "Could not move \"{file}\"" : "無法移動「{file}」", "copy" : "複製", @@ -455,15 +448,24 @@ OC.L10N.register( "Not favored" : "未加入最愛", "An error occurred while trying to update the tags" : "更新標籤時發生錯誤", "Upload (max. %s)" : "上傳(最多 %s)", + "\"{displayName}\" action executed successfully" : "「{displayName}」動作執行成功", + "\"{displayName}\" action failed" : "「{displayName}」操作失敗", + "\"{displayName}\" failed on some elements" : "「{displayName}」在某些元素上失敗", + "\"{displayName}\" batch action executed successfully" : "「{displayName}」批次動作執行成功", "Submitting fields…" : "正在遞交欄位……", "Filter filenames…" : "篩選檔案名稱……", + "WebDAV URL copied to clipboard" : "WebDAV URL 已複製到剪貼簿", "Enable the grid view" : "啟用格狀檢視", + "Enable folder tree" : "啟用資料夾樹", + "Copy to clipboard" : "複製到剪貼簿", "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" : "已取消移動或複製操作", + "Open details" : "開啟詳細資訊", + "Photos and images" : "照片與影像", "New folder creation cancelled" : "已取消建立新資料夾", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} 個資料夾"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} 個檔案"], @@ -477,6 +479,24 @@ OC.L10N.register( "%1$s (renamed)" : "%1$s(已重新命名)", "renamed file" : "已重新命名檔案", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "啟用與 Windows 相容的檔案名稱後,無法再修改現有檔案,但可以由其擁有者重新命名為有效的新名稱。", - "Filter file names …" : "過濾檔案名稱……" + "Filter file names …" : "過濾檔案名稱……", + "Prevent warning dialogs from open or reenable them." : "避免開啟警告對話方塊或重新啟用它們。", + "Show a warning dialog when changing a file extension." : "在變更副檔名時顯示警告對話方塊。", + "Speed up your Files experience with these quick shortcuts." : "使用這些快捷鍵加速您的 Files 體驗。", + "Open the actions menu for a file" : "開啟檔案的動作選單", + "Rename a file" : "重新命名檔案", + "Delete a file" : "刪除檔案", + "Favorite or remove a file from favorites" : "加入最愛或從最愛移除檔案", + "Manage tags for a file" : "管理檔案的標籤", + "Deselect all files" : "取消選取所有檔案", + "Select or deselect a file" : "選取或取消選取檔案", + "Select a range of files" : "選取檔案範圍", + "Navigate to the parent folder" : "前往上層資料夾", + "Navigate to the file above" : "前往上述檔案", + "Navigate to the file below" : "前往以下檔案", + "Navigate to the file on the left (in grid mode)" : "前往左側的檔案(在網格模式下)", + "Navigate to the file on the right (in grid mode)" : "前往右側的檔案(在網格模式下)", + "Toggle the grid view" : "切換網格檢視", + "Open the sidebar for a file" : "開啟檔案側邊欄" }, "nplurals=1; plural=0;"); diff --git a/apps/files/l10n/zh_TW.json b/apps/files/l10n/zh_TW.json index 5e28e9374f2..379c89a9ba0 100644 --- a/apps/files/l10n/zh_TW.json +++ b/apps/files/l10n/zh_TW.json @@ -113,9 +113,9 @@ "Name" : "名稱", "File type" : "檔案類型", "Size" : "大小", - "\"{displayName}\" failed on some elements" : "「{displayName}」在某些元素上失敗", - "\"{displayName}\" batch action executed successfully" : "「{displayName}」批次動作執行成功", - "\"{displayName}\" action failed" : "「{displayName}」操作失敗", + "{displayName}: failed on some elements" : "{displayName}:在部份元素上失敗", + "{displayName}: done" : "{displayName}:完成", + "{displayName}: failed" : "{displayName}:失敗", "Actions" : "動作", "(selected)" : "(已選取)", "List of files and folders." : "檔案與資料夾清單。", @@ -124,11 +124,10 @@ "This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list." : "出於效能考量,此清單未完全呈現。檔案將在您瀏覽清單時呈現。", "File not found" : "找不到檔案", "_{count} selected_::_{count} selected_" : ["已選取 {count} 個"], - "Search globally by filename …" : "按檔案名稱全域搜尋……", - "Search here by filename …" : "按檔案名稱搜尋此處……", + "Search everywhere …" : "搜尋各處……", + "Search here …" : "搜尋此處……", "Search scope options" : "搜尋範圍選項", - "Filter and search from this location" : "從此位置過濾並搜尋", - "Search globally" : "全域搜尋", + "Search here" : "搜尋此處", "{usedQuotaByte} used" : "已使用 {usedQuotaByte}", "{used} of {quota} used" : "已使用 {used},共 {quota}", "{relative}% used" : "已使用 {relative}%", @@ -178,7 +177,6 @@ "Error during upload: {message}" : "上傳時發生錯誤:{message}", "Error during upload, status code {status}" : "上傳時發生錯誤,狀態碼 {status}", "Unknown error during upload" : "上傳時發生未知的錯誤", - "\"{displayName}\" action executed successfully" : "「{displayName}」動作執行成功", "Loading current folder" : "正在載入目前資料夾", "Retry" : "重試", "No files in here" : "沒有任何檔案", @@ -193,49 +191,48 @@ "No search results for “{query}”" : "沒有結果符合「{query}」", "Search for files" : "搜尋檔案", "Clipboard is not available" : "剪貼簿無法使用", - "WebDAV URL copied to clipboard" : "WebDAV URL 已複製到剪貼簿", + "WebDAV URL copied" : "已複製 WebDAV URL", + "General" : "一般", "Default view" : "預設檢視", "All files" : "所有檔案", "Personal files" : "個人檔案", "Sort favorites first" : "先排序喜愛", "Sort folders before files" : "將資料夾排序在檔案前", - "Enable folder tree" : "啟用資料夾樹", - "Visual settings" : "視覺設定", + "Folder tree" : "資料夾樹", + "Appearance" : "外觀", "Show hidden files" : "顯示隱藏檔", "Show file type column" : "顯示檔案類型欄位", + "Show file extensions" : "顯示副檔名", "Crop image previews" : "圖片裁剪預覽", - "Show files extensions" : "顯示副檔名", "Additional settings" : "其他設定", "WebDAV" : "WebDAV", "WebDAV URL" : "WebDAV URL", - "Copy to clipboard" : "複製到剪貼簿", - "Use this address to access your Files via WebDAV." : "使用此位置透過 WebDAV 存取您的檔案。", + "Copy" : "複製", + "How to access files using WebDAV" : "如何使用 WebDAV 存取檔案", "Two-Factor Authentication is enabled for your account, and therefore you need to use an app password to connect an external WebDAV client." : "您的帳號已啟用兩階段驗證,因此您必須使用應用程式密碼才能連結外部 WebDAV 帳號。", "Warnings" : "警告", - "Prevent warning dialogs from open or reenable them." : "避免開啟警告對話方塊或重新啟用它們。", - "Show a warning dialog when changing a file extension." : "在變更副檔名時顯示警告對話方塊。", - "Show a warning dialog when deleting files." : "在刪除檔案時顯示警告對話方塊。", + "Warn before changing a file extension" : "變更副檔名前警告", + "Warn before deleting files" : "刪除檔案前警告", "Keyboard shortcuts" : "鍵盤快速鍵", - "Speed up your Files experience with these quick shortcuts." : "使用這些快捷鍵加速您的 Files 體驗。", - "Open the actions menu for a file" : "開啟檔案的動作選單", - "Rename a file" : "重新命名檔案", - "Delete a file" : "刪除檔案", - "Favorite or remove a file from favorites" : "加入最愛或從最愛移除檔案", - "Manage tags for a file" : "管理檔案的標籤", + "File actions" : "檔案動作", + "Rename" : "重新命名", + "Delete" : "刪除", + "Add or remove favorite" : "新增或移除最愛", + "Manage tags" : "管理標籤", "Selection" : "選取", "Select all files" : "選取所有檔案", - "Deselect all files" : "取消選取所有檔案", - "Select or deselect a file" : "選取或取消選取檔案", - "Select a range of files" : "選取檔案範圍", + "Deselect all" : "取消全選", + "Select or deselect" : "選取或取消選取", + "Select a range" : "選取範圍", "Navigation" : "導覽列", - "Navigate to the parent folder" : "前往上層資料夾", - "Navigate to the file above" : "前往上述檔案", - "Navigate to the file below" : "前往以下檔案", - "Navigate to the file on the left (in grid mode)" : "前往左側的檔案(在網格模式下)", - "Navigate to the file on the right (in grid mode)" : "前往右側的檔案(在網格模式下)", + "Go to parent folder" : "前往上層資料夾", + "Go to file above" : "前往以上檔案", + "Go to file below" : "前往以下檔案", + "Go left in grid" : "在網格中向左", + "Go right in grid" : "在網格中向右", "View" : "檢視", - "Toggle the grid view" : "切換網格檢視", - "Open the sidebar for a file" : "開啟檔案側邊欄", + "Toggle grid view" : "切換網格檢視", + "Open file sidebar" : "開啟檔案側邊欄", "Show those shortcuts" : "顯示這些快捷鍵", "You" : "您", "Shared multiple times with different people" : "與不同的人多次分享", @@ -274,7 +271,6 @@ "Delete files" : "刪除檔案", "Delete folder" : "刪除資料夾", "Delete folders" : "刪除資料夾", - "Delete" : "刪除", "_You are about to permanently delete {count} item_::_You are about to permanently delete {count} items_" : ["您將要永久刪除 {count} 個項目"], "_You are about to delete {count} item_::_You are about to delete {count} items_" : ["您將要刪除 {count} 個項目"], "Confirm deletion" : "確認刪除", @@ -292,7 +288,6 @@ "The file does not exist anymore" : "檔案已不存在", "Choose destination" : "選擇目的地", "Copy to {target}" : "複製到 {target}", - "Copy" : "複製", "Move to {target}" : "移動到 {target}", "Move" : "移動", "Move or copy operation failed" : "移動或複製操作失敗", @@ -305,8 +300,7 @@ "The file should now open on your device. If it doesn't, please check that you have the desktop app installed." : "檔案現在應該可以在您的裝置上開啟。如果打不開,請檢查您是否有安裝桌面應用程式。", "Retry and close" : "重試並關閉", "Open online" : "線上開啟", - "Rename" : "重新命名", - "Open details" : "開啟詳細資訊", + "Details" : "詳細資料", "View in folder" : "在資料夾中檢視", "Today" : "今日", "Last 7 days" : "過去7天", @@ -319,7 +313,7 @@ "PDFs" : "PDF", "Folders" : "資料夾", "Audio" : "音訊", - "Photos and images" : "照片與影像", + "Images" : "圖片", "Videos" : "影片", "Created new folder \"{name}\"" : "已建立新資料夾「{name}」", "Unable to initialize the templates directory" : "無法初始化範本目錄", @@ -346,7 +340,7 @@ "The name \"{newName}\" is already used in the folder \"{dir}\". Please choose a different name." : "此名稱「{newName}」在資料夾「{dir}」中已被使用。請改用其他名稱。", "Could not rename \"{oldName}\"" : "無法重新命名「{oldName}」", "This operation is forbidden" : "此操作被禁止", - "This directory is unavailable, please check the logs or contact the administrator" : "這個目錄無法取用,請檢查伺服器紀錄檔或聯絡管理員", + "This folder is unavailable, please try again later or contact the administration" : "此資料夾無法使用,請稍後再試或聯絡管理員", "Storage is temporarily not available" : "儲存空間暫時無法使用", "Unexpected error: {error}" : "意外錯誤:{error}", "_%n file_::_%n files_" : ["%n 個檔案"], @@ -361,7 +355,6 @@ "No favorites yet" : "尚無喜愛", "Files and folders you mark as favorite will show up here" : "您標記為喜愛的檔案與資料夾將會顯示在這裡", "List of your files and folders." : "您的檔案與資料夾清單。", - "Folder tree" : "資料夾樹", "List of your files and folders that are not shared." : "未分享的檔案與資料夾清單。", "No personal files found" : "找不到個人檔案", "Files that are not shared will show up here." : "尚未分享的檔案將會顯示在此處。", @@ -400,12 +393,12 @@ "Edit locally" : "在本機編輯", "Open" : "開啟", "Could not load info for file \"{file}\"" : "無法讀取「{file}」的詳細資料", - "Details" : "詳細資料", "Please select tag(s) to add to the selection" : "請選取要新增到選定項目的標籤", "Apply tag(s) to selection" : "將標籤套用至選定項目", "Select directory \"{dirName}\"" : "選取目錄「{dirName}」", "Select file \"{fileName}\"" : "選取檔案「{fileName}」", "Unable to determine date" : "無法確定日期", + "This directory is unavailable, please check the logs or contact the administrator" : "這個目錄無法取用,請檢查伺服器紀錄檔或聯絡管理員", "Could not move \"{file}\", target exists" : "無法移動「{file}」,目標已經存在", "Could not move \"{file}\"" : "無法移動「{file}」", "copy" : "複製", @@ -453,15 +446,24 @@ "Not favored" : "未加入最愛", "An error occurred while trying to update the tags" : "更新標籤時發生錯誤", "Upload (max. %s)" : "上傳(最多 %s)", + "\"{displayName}\" action executed successfully" : "「{displayName}」動作執行成功", + "\"{displayName}\" action failed" : "「{displayName}」操作失敗", + "\"{displayName}\" failed on some elements" : "「{displayName}」在某些元素上失敗", + "\"{displayName}\" batch action executed successfully" : "「{displayName}」批次動作執行成功", "Submitting fields…" : "正在遞交欄位……", "Filter filenames…" : "篩選檔案名稱……", + "WebDAV URL copied to clipboard" : "WebDAV URL 已複製到剪貼簿", "Enable the grid view" : "啟用格狀檢視", + "Enable folder tree" : "啟用資料夾樹", + "Copy to clipboard" : "複製到剪貼簿", "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" : "已取消移動或複製操作", + "Open details" : "開啟詳細資訊", + "Photos and images" : "照片與影像", "New folder creation cancelled" : "已取消建立新資料夾", "_{folderCount} folder_::_{folderCount} folders_" : ["{folderCount} 個資料夾"], "_{fileCount} file_::_{fileCount} files_" : ["{fileCount} 個檔案"], @@ -475,6 +477,24 @@ "%1$s (renamed)" : "%1$s(已重新命名)", "renamed file" : "已重新命名檔案", "After enabling the windows compatible filenames, existing files cannot be modified anymore but can be renamed to valid new names by their owner." : "啟用與 Windows 相容的檔案名稱後,無法再修改現有檔案,但可以由其擁有者重新命名為有效的新名稱。", - "Filter file names …" : "過濾檔案名稱……" + "Filter file names …" : "過濾檔案名稱……", + "Prevent warning dialogs from open or reenable them." : "避免開啟警告對話方塊或重新啟用它們。", + "Show a warning dialog when changing a file extension." : "在變更副檔名時顯示警告對話方塊。", + "Speed up your Files experience with these quick shortcuts." : "使用這些快捷鍵加速您的 Files 體驗。", + "Open the actions menu for a file" : "開啟檔案的動作選單", + "Rename a file" : "重新命名檔案", + "Delete a file" : "刪除檔案", + "Favorite or remove a file from favorites" : "加入最愛或從最愛移除檔案", + "Manage tags for a file" : "管理檔案的標籤", + "Deselect all files" : "取消選取所有檔案", + "Select or deselect a file" : "選取或取消選取檔案", + "Select a range of files" : "選取檔案範圍", + "Navigate to the parent folder" : "前往上層資料夾", + "Navigate to the file above" : "前往上述檔案", + "Navigate to the file below" : "前往以下檔案", + "Navigate to the file on the left (in grid mode)" : "前往左側的檔案(在網格模式下)", + "Navigate to the file on the right (in grid mode)" : "前往右側的檔案(在網格模式下)", + "Toggle the grid view" : "切換網格檢視", + "Open the sidebar for a file" : "開啟檔案側邊欄" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files/lib/Command/Object/Multi/Rename.php b/apps/files/lib/Command/Object/Multi/Rename.php new file mode 100644 index 00000000000..562c68eb07f --- /dev/null +++ b/apps/files/lib/Command/Object/Multi/Rename.php @@ -0,0 +1,108 @@ +<?php + +declare(strict_types=1); +/** + * SPDX-FileCopyrightText: 2025 Robin Appelman <robin@icewind.nl> + * SPDX-License-Identifier: AGPL-3.0-or-later + */ + +namespace OCA\Files\Command\Object\Multi; + +use OC\Core\Command\Base; +use OC\Files\ObjectStore\PrimaryObjectStoreConfig; +use OCP\IConfig; +use OCP\IDBConnection; +use Symfony\Component\Console\Helper\QuestionHelper; +use Symfony\Component\Console\Input\InputArgument; +use Symfony\Component\Console\Input\InputInterface; +use Symfony\Component\Console\Output\OutputInterface; +use Symfony\Component\Console\Question\ConfirmationQuestion; + +class Rename extends Base { + public function __construct( + private readonly IDBConnection $connection, + private readonly PrimaryObjectStoreConfig $objectStoreConfig, + private readonly IConfig $config, + ) { + parent::__construct(); + } + + protected function configure(): void { + parent::configure(); + $this + ->setName('files:object:multi:rename-config') + ->setDescription('Rename an object store configuration and move all users over to the new configuration,') + ->addArgument('source', InputArgument::REQUIRED, 'Object store configuration to rename') + ->addArgument('target', InputArgument::REQUIRED, 'New name for the object store configuration'); + } + + public function execute(InputInterface $input, OutputInterface $output): int { + $source = $input->getArgument('source'); + $target = $input->getArgument('target'); + + $configs = $this->objectStoreConfig->getObjectStoreConfigs(); + if (!isset($configs[$source])) { + $output->writeln('<error>Unknown object store configuration: ' . $source . '</error>'); + return 1; + } + + if ($source === 'root') { + $output->writeln('<error>Renaming the root configuration is not supported.</error>'); + return 1; + } + + if ($source === 'default') { + $output->writeln('<error>Renaming the default configuration is not supported.</error>'); + return 1; + } + + if (!isset($configs[$target])) { + $output->writeln('<comment>Target object store configuration ' . $target . ' doesn\'t exist yet.</comment>'); + $output->writeln('The target configuration can be created automatically.'); + $output->writeln('However, as this depends on modifying the config.php, this only works as long as the instance runs on a single node or all nodes in a clustered setup have a shared config file (such as from a shared network mount).'); + $output->writeln('If the different nodes have a separate copy of the config.php file, the automatic object store configuration creation will lead to the configuration going out of sync.'); + $output->writeln('If these requirements are not met, you can manually create the target object store configuration in each node\'s configuration before running the command.'); + $output->writeln(''); + $output->writeln('<error>Failure to check these requirements will lead to data loss for users.</error>'); + + /** @var QuestionHelper $helper */ + $helper = $this->getHelper('question'); + $question = new ConfirmationQuestion('Automatically create target object store configuration? [y/N] ', false); + if ($helper->ask($input, $output, $question)) { + $configs[$target] = $configs[$source]; + + // update all aliases + foreach ($configs as &$config) { + if ($config === $source) { + $config = $target; + } + } + $this->config->setSystemValue('objectstore', $configs); + } else { + return 0; + } + } elseif (($configs[$source] !== $configs[$target]) || $configs[$source] !== $target) { + $output->writeln('<error>Source and target configuration differ.</error>'); + $output->writeln(''); + $output->writeln('To ensure proper migration of users, the source and target configuration must be the same to ensure that the objects for the moved users exist on the target configuration.'); + $output->writeln('The usual migration process consists of creating a clone of the old configuration, moving the users from the old configuration to the new one, and then adjust the old configuration that is longer used.'); + return 1; + } + + $query = $this->connection->getQueryBuilder(); + $query->update('preferences') + ->set('configvalue', $query->createNamedParameter($target)) + ->where($query->expr()->eq('appid', $query->createNamedParameter('homeobjectstore'))) + ->andWhere($query->expr()->eq('configkey', $query->createNamedParameter('objectstore'))) + ->andWhere($query->expr()->eq('configvalue', $query->createNamedParameter($source))); + $count = $query->executeStatement(); + + if ($count > 0) { + $output->writeln('Moved <info>' . $count . '</info> users'); + } else { + $output->writeln('No users moved'); + } + + return 0; + } +} diff --git a/apps/files/lib/Command/Object/Multi/Users.php b/apps/files/lib/Command/Object/Multi/Users.php new file mode 100644 index 00000000000..e8f7d012641 --- /dev/null +++ b/apps/files/lib/Command/Object/Multi/Users.php @@ -0,0 +1,98 @@ +<?php + +declare(strict_types=1); +/** + * SPDX-FileCopyrightText: 2025 Robin Appelman <robin@icewind.nl> + * SPDX-License-Identifier: AGPL-3.0-or-later + */ + +namespace OCA\Files\Command\Object\Multi; + +use OC\Core\Command\Base; +use OC\Files\ObjectStore\PrimaryObjectStoreConfig; +use OCP\IConfig; +use OCP\IUser; +use OCP\IUserManager; +use Symfony\Component\Console\Input\InputInterface; +use Symfony\Component\Console\Input\InputOption; +use Symfony\Component\Console\Output\OutputInterface; + +class Users extends Base { + public function __construct( + private readonly IUserManager $userManager, + private readonly PrimaryObjectStoreConfig $objectStoreConfig, + private readonly IConfig $config, + ) { + parent::__construct(); + } + + protected function configure(): void { + parent::configure(); + $this + ->setName('files:object:multi:users') + ->setDescription('Get the mapping between users and object store buckets') + ->addOption('bucket', 'b', InputOption::VALUE_REQUIRED, 'Only list users using the specified bucket') + ->addOption('object-store', 'o', InputOption::VALUE_REQUIRED, 'Only list users using the specified object store configuration') + ->addOption('user', 'u', InputOption::VALUE_REQUIRED, 'Only show the mapping for the specified user, ignores all other options'); + } + + public function execute(InputInterface $input, OutputInterface $output): int { + if ($userId = $input->getOption('user')) { + $user = $this->userManager->get($userId); + if (!$user) { + $output->writeln("<error>User $userId not found</error>"); + return 1; + } + $users = new \ArrayIterator([$user]); + } else { + $bucket = (string)$input->getOption('bucket'); + $objectStore = (string)$input->getOption('object-store'); + if ($bucket !== '' && $objectStore === '') { + $users = $this->getUsers($this->config->getUsersForUserValue('homeobjectstore', 'bucket', $bucket)); + } elseif ($bucket === '' && $objectStore !== '') { + $users = $this->getUsers($this->config->getUsersForUserValue('homeobjectstore', 'objectstore', $objectStore)); + } elseif ($bucket) { + $users = $this->getUsers(array_intersect( + $this->config->getUsersForUserValue('homeobjectstore', 'bucket', $bucket), + $this->config->getUsersForUserValue('homeobjectstore', 'objectstore', $objectStore) + )); + } else { + $users = $this->userManager->getSeenUsers(); + } + } + + $this->writeStreamingTableInOutputFormat($input, $output, $this->infoForUsers($users), 100); + return 0; + } + + /** + * @param string[] $userIds + * @return \Iterator<IUser> + */ + private function getUsers(array $userIds): \Iterator { + foreach ($userIds as $userId) { + $user = $this->userManager->get($userId); + if ($user) { + yield $user; + } + } + } + + /** + * @param \Iterator<IUser> $users + * @return \Iterator<array> + */ + private function infoForUsers(\Iterator $users): \Iterator { + foreach ($users as $user) { + yield $this->infoForUser($user); + } + } + + private function infoForUser(IUser $user): array { + return [ + 'user' => $user->getUID(), + 'object-store' => $this->objectStoreConfig->getObjectStoreForUser($user), + 'bucket' => $this->objectStoreConfig->getSetBucketForUser($user) ?? 'unset', + ]; + } +} diff --git a/apps/files/src/actions/sidebarAction.spec.ts b/apps/files/src/actions/sidebarAction.spec.ts index 75ed8c97b47..9085bf595ad 100644 --- a/apps/files/src/actions/sidebarAction.spec.ts +++ b/apps/files/src/actions/sidebarAction.spec.ts @@ -17,7 +17,7 @@ describe('Open sidebar action conditions tests', () => { test('Default values', () => { expect(action).toBeInstanceOf(FileAction) expect(action.id).toBe('details') - expect(action.displayName([], view)).toBe('Open details') + expect(action.displayName([], view)).toBe('Details') expect(action.iconSvgInline([], view)).toMatch(/<svg.+<\/svg>/) expect(action.default).toBeUndefined() expect(action.order).toBe(-50) diff --git a/apps/files/src/actions/sidebarAction.ts b/apps/files/src/actions/sidebarAction.ts index 0b8ad91741e..8f020b4ee8d 100644 --- a/apps/files/src/actions/sidebarAction.ts +++ b/apps/files/src/actions/sidebarAction.ts @@ -16,7 +16,7 @@ export const ACTION_DETAILS = 'details' export const action = new FileAction({ id: ACTION_DETAILS, - displayName: () => t('files', 'Open details'), + displayName: () => t('files', 'Details'), iconSvgInline: () => InformationSvg, // Sidebar currently supports user folder only, /files/USER diff --git a/apps/files/src/components/FilesListTableHeaderActions.vue b/apps/files/src/components/FilesListTableHeaderActions.vue index 53b7e7ef21b..6a808355c58 100644 --- a/apps/files/src/components/FilesListTableHeaderActions.vue +++ b/apps/files/src/components/FilesListTableHeaderActions.vue @@ -305,16 +305,16 @@ export default defineComponent({ return } - showError(this.t('files', '"{displayName}" failed on some elements', { displayName })) + showError(this.t('files', '{displayName}: failed on some elements', { displayName })) return } // Show success message and clear selection - showSuccess(this.t('files', '"{displayName}" batch action executed successfully', { displayName })) + showSuccess(this.t('files', '{displayName}: done', { displayName })) this.selectionStore.reset() } catch (e) { logger.error('Error while executing action', { action, e }) - showError(this.t('files', '"{displayName}" action failed', { displayName })) + showError(this.t('files', '{displayName}: failed', { displayName })) } finally { // Remove loading markers this.loading = null diff --git a/apps/files/src/components/FilesNavigationSearch.vue b/apps/files/src/components/FilesNavigationSearch.vue index e34d4bf0971..0890dffcb39 100644 --- a/apps/files/src/components/FilesNavigationSearch.vue +++ b/apps/files/src/components/FilesNavigationSearch.vue @@ -55,9 +55,9 @@ const isSearchView = computed(() => currentView.value.id === VIEW_ID) */ const searchLabel = computed(() => { if (searchStore.scope === 'globally') { - return t('files', 'Search globally by filename …') + return t('files', 'Search everywhere …') } - return t('files', 'Search here by filename …') + return t('files', 'Search here …') }) </script> @@ -72,13 +72,13 @@ const searchLabel = computed(() => { <template #icon> <NcIconSvgWrapper :path="mdiMagnify" /> </template> - {{ t('files', 'Filter and search from this location') }} + {{ t('files', 'Search here') }} </NcActionButton> <NcActionButton close-after-click @click="searchStore.scope = 'globally'"> <template #icon> <NcIconSvgWrapper :path="mdiSearchWeb" /> </template> - {{ t('files', 'Search globally') }} + {{ t('files', 'Search everywhere') }} </NcActionButton> </NcActions> </template> diff --git a/apps/files/src/filters/TypeFilter.ts b/apps/files/src/filters/TypeFilter.ts index 94b109ea7a4..3170e22b260 100644 --- a/apps/files/src/filters/TypeFilter.ts +++ b/apps/files/src/filters/TypeFilter.ts @@ -73,7 +73,7 @@ const getTypePresets = async () => [ { id: 'image', // TRANSLATORS: This is for filtering files, e.g. PNG or JPEG, so photos, drawings, or images in general - label: t('files', 'Photos and images'), + label: t('files', 'Images'), icon: svgImage, mime: ['image'], }, diff --git a/apps/files/src/utils/actionUtils.ts b/apps/files/src/utils/actionUtils.ts index f6d43727c29..adacf621b4c 100644 --- a/apps/files/src/utils/actionUtils.ts +++ b/apps/files/src/utils/actionUtils.ts @@ -59,13 +59,13 @@ export const executeAction = async (action: FileAction) => { } if (success) { - showSuccess(t('files', '"{displayName}" action executed successfully', { displayName })) + showSuccess(t('files', '{displayName}: done', { displayName })) return } - showError(t('files', '"{displayName}" action failed', { displayName })) + showError(t('files', '{displayName}: failed', { displayName })) } catch (error) { logger.error('Error while executing action', { action, error }) - showError(t('files', '"{displayName}" action failed', { displayName })) + showError(t('files', '{displayName}: failed', { displayName })) } finally { // Reset the loading marker Vue.set(currentNode, 'status', undefined) diff --git a/apps/files/src/utils/davUtils.ts b/apps/files/src/utils/davUtils.ts index d8dc12d069d..54c1a6ea966 100644 --- a/apps/files/src/utils/davUtils.ts +++ b/apps/files/src/utils/davUtils.ts @@ -29,7 +29,7 @@ export function humanizeWebDAVError(error: unknown) { } else if (status === 403) { return t('files', 'This operation is forbidden') } else if (status === 500) { - return t('files', 'This directory is unavailable, please check the logs or contact the administrator') + return t('files', 'This folder is unavailable, please try again later or contact the administration') } else if (status === 503) { return t('files', 'Storage is temporarily not available') } diff --git a/apps/files/src/views/FilesList.vue b/apps/files/src/views/FilesList.vue index 3f993e24958..f9e517e92ee 100644 --- a/apps/files/src/views/FilesList.vue +++ b/apps/files/src/views/FilesList.vue @@ -816,13 +816,13 @@ export default defineComponent({ } if (success) { - showSuccess(t('files', '"{displayName}" action executed successfully', { displayName })) + showSuccess(t('files', '{displayName}: done', { displayName })) return } - showError(t('files', '"{displayName}" action failed', { displayName })) + showError(t('files', '{displayName}: failed', { displayName })) } catch (error) { logger.error('Error while executing action', { action, error }) - showError(t('files', '"{displayName}" action failed', { displayName })) + showError(t('files', '{displayName}: failed', { displayName })) } finally { this.loadingAction = null } diff --git a/apps/files/src/views/Settings.vue b/apps/files/src/views/Settings.vue index 0838d308af9..bfac8e0b3d6 100644 --- a/apps/files/src/views/Settings.vue +++ b/apps/files/src/views/Settings.vue @@ -8,7 +8,7 @@ :name="t('files', 'Files settings')" @update:open="onClose"> <!-- Settings API--> - <NcAppSettingsSection id="settings" :name="t('files', 'Files settings')"> + <NcAppSettingsSection id="settings" :name="t('files', 'General')"> <fieldset class="files-settings__default-view" data-cy-files-settings-setting="default_view"> <legend> @@ -42,12 +42,12 @@ <NcCheckboxRadioSwitch data-cy-files-settings-setting="folder_tree" :checked="userConfig.folder_tree" @update:checked="setConfig('folder_tree', $event)"> - {{ t('files', 'Enable folder tree') }} + {{ t('files', 'Folder tree') }} </NcCheckboxRadioSwitch> </NcAppSettingsSection> - <!-- Visual settings --> - <NcAppSettingsSection id="settings" :name="t('files', 'Visual settings')"> + <!-- Appearance --> + <NcAppSettingsSection id="settings" :name="t('files', 'Appearance')"> <NcCheckboxRadioSwitch data-cy-files-settings-setting="show_hidden" :checked="userConfig.show_hidden" @update:checked="setConfig('show_hidden', $event)"> @@ -58,16 +58,16 @@ @update:checked="setConfig('show_mime_column', $event)"> {{ t('files', 'Show file type column') }} </NcCheckboxRadioSwitch> + <NcCheckboxRadioSwitch data-cy-files-settings-setting="show_files_extensions" + :checked="userConfig.show_files_extensions" + @update:checked="setConfig('show_files_extensions', $event)"> + {{ t('files', 'Show file extensions') }} + </NcCheckboxRadioSwitch> <NcCheckboxRadioSwitch data-cy-files-settings-setting="crop_image_previews" :checked="userConfig.crop_image_previews" @update:checked="setConfig('crop_image_previews', $event)"> {{ t('files', 'Crop image previews') }} </NcCheckboxRadioSwitch> - <NcCheckboxRadioSwitch data-cy-files-settings-setting="show_files_extensions" - :checked="userConfig.show_files_extensions" - @update:checked="setConfig('show_files_extensions', $event)"> - {{ t('files', 'Show files extensions') }} - </NcCheckboxRadioSwitch> </NcAppSettingsSection> <!-- Settings API--> @@ -85,7 +85,7 @@ :label="t('files', 'WebDAV URL')" :show-trailing-button="true" :success="webdavUrlCopied" - :trailing-button-label="t('files', 'Copy to clipboard')" + :trailing-button-label="t('files', 'Copy')" :value="webdavUrl" class="webdav-url-input" readonly="readonly" @@ -101,7 +101,7 @@ :href="webdavDocs" target="_blank" rel="noreferrer noopener"> - {{ t('files', 'Use this address to access your Files via WebDAV.') }} ↗ + {{ t('files', 'How to access files using WebDAV') }} ↗ </a> </em> <br> @@ -113,22 +113,20 @@ </NcAppSettingsSection> <NcAppSettingsSection id="warning" :name="t('files', 'Warnings')"> - <em>{{ t('files', 'Prevent warning dialogs from open or reenable them.') }}</em> <NcCheckboxRadioSwitch type="switch" :checked="userConfig.show_dialog_file_extension" @update:checked="setConfig('show_dialog_file_extension', $event)"> - {{ t('files', 'Show a warning dialog when changing a file extension.') }} + {{ t('files', 'Warn before changing a file extension') }} </NcCheckboxRadioSwitch> <NcCheckboxRadioSwitch type="switch" :checked="userConfig.show_dialog_deletion" @update:checked="setConfig('show_dialog_deletion', $event)"> - {{ t('files', 'Show a warning dialog when deleting files.') }} + {{ t('files', 'Warn before deleting files') }} </NcCheckboxRadioSwitch> </NcAppSettingsSection> <NcAppSettingsSection id="shortcuts" :name="t('files', 'Keyboard shortcuts')"> - <em>{{ t('files', 'Speed up your Files experience with these quick shortcuts.') }}</em> <h3>{{ t('files', 'Actions') }}</h3> <dl> @@ -137,7 +135,7 @@ <kbd>a</kbd> </dt> <dd class="shortcut-description"> - {{ t('files', 'Open the actions menu for a file') }} + {{ t('files', 'File actions') }} </dd> </div> <div> @@ -145,7 +143,7 @@ <kbd>F2</kbd> </dt> <dd class="shortcut-description"> - {{ t('files', 'Rename a file') }} + {{ t('files', 'Rename') }} </dd> </div> <div> @@ -153,7 +151,7 @@ <kbd>Del</kbd> </dt> <dd class="shortcut-description"> - {{ t('files', 'Delete a file') }} + {{ t('files', 'Delete') }} </dd> </div> <div> @@ -161,7 +159,7 @@ <kbd>s</kbd> </dt> <dd class="shortcut-description"> - {{ t('files', 'Favorite or remove a file from favorites') }} + {{ t('files', 'Add or remove favorite') }} </dd> </div> <div v-if="isSystemtagsEnabled"> @@ -169,7 +167,7 @@ <kbd>t</kbd> </dt> <dd class="shortcut-description"> - {{ t('files', 'Manage tags for a file') }} + {{ t('files', 'Manage tags') }} </dd> </div> </dl> @@ -189,7 +187,7 @@ <kbd>ESC</kbd> </dt> <dd class="shortcut-description"> - {{ t('files', 'Deselect all files') }} + {{ t('files', 'Deselect all') }} </dd> </div> <div> @@ -197,7 +195,7 @@ <kbd>Ctrl</kbd> + <kbd>Space</kbd> </dt> <dd class="shortcut-description"> - {{ t('files', 'Select or deselect a file') }} + {{ t('files', 'Select or deselect') }} </dd> </div> <div> @@ -205,7 +203,7 @@ <kbd>Ctrl</kbd> + <kbd>Shift</kbd> <span>+ <kbd>Space</kbd></span> </dt> <dd class="shortcut-description"> - {{ t('files', 'Select a range of files') }} + {{ t('files', 'Select a range') }} </dd> </div> </dl> @@ -217,7 +215,7 @@ <kbd>Alt</kbd> + <kbd>↑</kbd> </dt> <dd class="shortcut-description"> - {{ t('files', 'Navigate to the parent folder') }} + {{ t('files', 'Go to parent folder') }} </dd> </div> <div> @@ -225,7 +223,7 @@ <kbd>↑</kbd> </dt> <dd class="shortcut-description"> - {{ t('files', 'Navigate to the file above') }} + {{ t('files', 'Go to file above') }} </dd> </div> <div> @@ -233,7 +231,7 @@ <kbd>↓</kbd> </dt> <dd class="shortcut-description"> - {{ t('files', 'Navigate to the file below') }} + {{ t('files', 'Go to file below') }} </dd> </div> <div> @@ -241,7 +239,7 @@ <kbd>←</kbd> </dt> <dd class="shortcut-description"> - {{ t('files', 'Navigate to the file on the left (in grid mode)') }} + {{ t('files', 'Go left in grid') }} </dd> </div> <div> @@ -249,7 +247,7 @@ <kbd>→</kbd> </dt> <dd class="shortcut-description"> - {{ t('files', 'Navigate to the file on the right (in grid mode)') }} + {{ t('files', 'Go right in grid') }} </dd> </div> </dl> @@ -261,7 +259,7 @@ <kbd>V</kbd> </dt> <dd class="shortcut-description"> - {{ t('files', 'Toggle the grid view') }} + {{ t('files', 'Toggle grid view') }} </dd> </div> <div> @@ -269,7 +267,7 @@ <kbd>D</kbd> </dt> <dd class="shortcut-description"> - {{ t('files', 'Open the sidebar for a file') }} + {{ t('files', 'Open file sidebar') }} </dd> </div> <div> @@ -400,7 +398,7 @@ export default { await navigator.clipboard.writeText(this.webdavUrl) this.webdavUrlCopied = true - showSuccess(t('files', 'WebDAV URL copied to clipboard')) + showSuccess(t('files', 'WebDAV URL copied')) setTimeout(() => { this.webdavUrlCopied = false }, 5000) diff --git a/apps/files_reminders/l10n/ar.js b/apps/files_reminders/l10n/ar.js index 79f9add730b..67cf6016dfe 100644 --- a/apps/files_reminders/l10n/ar.js +++ b/apps/files_reminders/l10n/ar.js @@ -9,7 +9,6 @@ OC.L10N.register( "Set file reminders" : "ضبط تذكير بالملفات", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 التذكير بالملفات** \n\nضبط التذكير بالملفات. \n\nملاحظة: لاستخدام تطبيق \"التذكير بالملفات\"، تأكد من تثبيت تطبيق الإشعارات وتمكينه. يوفر تطبيق الإشعارات واجهة برمجة التطبيقات API اللازمة لتطبيق \"التذكير بالملفات\" ليعمل بالشكل الصحيح.", "Set reminder for \"{fileName}\"" : "ضبط تذكير بالملف \"{fileName}\"", - "Set reminder at custom date & time" : "حدّد التذكير في وقت و تاريخ مخصص", "Clear reminder" : "محو التذكير", "Please choose a valid date & time" : "من فضلك، إختَر وقتاً و تاريخاً صحيحين", "Reminder set for \"{fileName}\"" : "تمّ ضبط تذكير بالملف \"{fileName}\"", @@ -20,7 +19,6 @@ OC.L10N.register( "Cancel" : "إلغاء", "Set reminder" : "ضبط التذكير", "Reminder set" : "تمّ وضع تذكير", - "Set custom reminder" : "ضبط تذكير مخصص", "Later today" : "في وقت لاحقٍ اليوم", "Set reminder for later today" : "إضبِط التذكير لوقت لاحقٍ اليوم", "Tomorrow" : "غداً", @@ -30,6 +28,8 @@ OC.L10N.register( "Next week" : "الأسبوع القادم", "Set reminder for next week" : "إضبِط التذكير للأسبوع القادم", "This files_reminder can work properly." : "وظيفة التذكير بالملفات هذه تعمل بالشكل الصحيح.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "تطبيق التذكير بالملفات يحتاج إلى تطبيق الإشعارات ليعمل بالشكل الصحيح. عليك إمّا أن تقوم بتمكين الإشعارات او تعطيل التذكير بالملفات." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "تطبيق التذكير بالملفات يحتاج إلى تطبيق الإشعارات ليعمل بالشكل الصحيح. عليك إمّا أن تقوم بتمكين الإشعارات او تعطيل التذكير بالملفات.", + "Set reminder at custom date & time" : "حدّد التذكير في وقت و تاريخ مخصص", + "Set custom reminder" : "ضبط تذكير مخصص" }, "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_reminders/l10n/ar.json b/apps/files_reminders/l10n/ar.json index d63e73065d5..344c1eea6f9 100644 --- a/apps/files_reminders/l10n/ar.json +++ b/apps/files_reminders/l10n/ar.json @@ -7,7 +7,6 @@ "Set file reminders" : "ضبط تذكير بالملفات", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 التذكير بالملفات** \n\nضبط التذكير بالملفات. \n\nملاحظة: لاستخدام تطبيق \"التذكير بالملفات\"، تأكد من تثبيت تطبيق الإشعارات وتمكينه. يوفر تطبيق الإشعارات واجهة برمجة التطبيقات API اللازمة لتطبيق \"التذكير بالملفات\" ليعمل بالشكل الصحيح.", "Set reminder for \"{fileName}\"" : "ضبط تذكير بالملف \"{fileName}\"", - "Set reminder at custom date & time" : "حدّد التذكير في وقت و تاريخ مخصص", "Clear reminder" : "محو التذكير", "Please choose a valid date & time" : "من فضلك، إختَر وقتاً و تاريخاً صحيحين", "Reminder set for \"{fileName}\"" : "تمّ ضبط تذكير بالملف \"{fileName}\"", @@ -18,7 +17,6 @@ "Cancel" : "إلغاء", "Set reminder" : "ضبط التذكير", "Reminder set" : "تمّ وضع تذكير", - "Set custom reminder" : "ضبط تذكير مخصص", "Later today" : "في وقت لاحقٍ اليوم", "Set reminder for later today" : "إضبِط التذكير لوقت لاحقٍ اليوم", "Tomorrow" : "غداً", @@ -28,6 +26,8 @@ "Next week" : "الأسبوع القادم", "Set reminder for next week" : "إضبِط التذكير للأسبوع القادم", "This files_reminder can work properly." : "وظيفة التذكير بالملفات هذه تعمل بالشكل الصحيح.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "تطبيق التذكير بالملفات يحتاج إلى تطبيق الإشعارات ليعمل بالشكل الصحيح. عليك إمّا أن تقوم بتمكين الإشعارات او تعطيل التذكير بالملفات." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "تطبيق التذكير بالملفات يحتاج إلى تطبيق الإشعارات ليعمل بالشكل الصحيح. عليك إمّا أن تقوم بتمكين الإشعارات او تعطيل التذكير بالملفات.", + "Set reminder at custom date & time" : "حدّد التذكير في وقت و تاريخ مخصص", + "Set custom reminder" : "ضبط تذكير مخصص" },"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_reminders/l10n/cs.js b/apps/files_reminders/l10n/cs.js index ca71016dbad..409a22f5546 100644 --- a/apps/files_reminders/l10n/cs.js +++ b/apps/files_reminders/l10n/cs.js @@ -10,7 +10,6 @@ OC.L10N.register( "The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Aplikace „files_reminder“ potřebuje, aby aplikace notifikace správně fungovala. Buď byste měli zapnout notifikace, nebo vypnout files_reminder.", "Set file reminders" : "Nastavit připomínky souborů", "Set reminder for \"{fileName}\"" : "Nastavit připomínku pro „{fileName}", - "Set reminder at custom date & time" : "Nastavit připomínku na uživatelsky určené datum a čas", "Clear reminder" : "Vyčistit připomínku", "Please choose a valid date & time" : "Zvolte platný datum a čas", "Reminder set for \"{fileName}\"" : "Nastavena připomínka ohledně „{fileName}“", @@ -21,7 +20,6 @@ OC.L10N.register( "Cancel" : "Storno", "Set reminder" : "Nastavit připomínku", "Reminder set" : "Nastavit připomínku", - "Set custom reminder" : "Nastavit uživatelsky určenou připomínku", "Later today" : "Později dnes", "Set reminder for later today" : "Nastavit připomínku na později dnes", "Tomorrow" : "Zítra", @@ -31,6 +29,8 @@ OC.L10N.register( "Next week" : "Příští týden", "Set reminder for next week" : "Nastavit připomínku pro příští týden", "This files_reminder can work properly." : "Tento files_reminder může fungovat správně.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Aplikace files_reminder potřebuje, aby aplikace notifikace správně fungovala. Buď byste měli zapnout notifikace, nebo vypnout files_reminder." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Aplikace files_reminder potřebuje, aby aplikace notifikace správně fungovala. Buď byste měli zapnout notifikace, nebo vypnout files_reminder.", + "Set reminder at custom date & time" : "Nastavit připomínku na uživatelsky určené datum a čas", + "Set custom reminder" : "Nastavit uživatelsky určenou připomínku" }, "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_reminders/l10n/cs.json b/apps/files_reminders/l10n/cs.json index 8ee12024a05..af1f102fb9c 100644 --- a/apps/files_reminders/l10n/cs.json +++ b/apps/files_reminders/l10n/cs.json @@ -8,7 +8,6 @@ "The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Aplikace „files_reminder“ potřebuje, aby aplikace notifikace správně fungovala. Buď byste měli zapnout notifikace, nebo vypnout files_reminder.", "Set file reminders" : "Nastavit připomínky souborů", "Set reminder for \"{fileName}\"" : "Nastavit připomínku pro „{fileName}", - "Set reminder at custom date & time" : "Nastavit připomínku na uživatelsky určené datum a čas", "Clear reminder" : "Vyčistit připomínku", "Please choose a valid date & time" : "Zvolte platný datum a čas", "Reminder set for \"{fileName}\"" : "Nastavena připomínka ohledně „{fileName}“", @@ -19,7 +18,6 @@ "Cancel" : "Storno", "Set reminder" : "Nastavit připomínku", "Reminder set" : "Nastavit připomínku", - "Set custom reminder" : "Nastavit uživatelsky určenou připomínku", "Later today" : "Později dnes", "Set reminder for later today" : "Nastavit připomínku na později dnes", "Tomorrow" : "Zítra", @@ -29,6 +27,8 @@ "Next week" : "Příští týden", "Set reminder for next week" : "Nastavit připomínku pro příští týden", "This files_reminder can work properly." : "Tento files_reminder může fungovat správně.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Aplikace files_reminder potřebuje, aby aplikace notifikace správně fungovala. Buď byste měli zapnout notifikace, nebo vypnout files_reminder." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Aplikace files_reminder potřebuje, aby aplikace notifikace správně fungovala. Buď byste měli zapnout notifikace, nebo vypnout files_reminder.", + "Set reminder at custom date & time" : "Nastavit připomínku na uživatelsky určené datum a čas", + "Set custom reminder" : "Nastavit uživatelsky určenou připomínku" },"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_reminders/l10n/da.js b/apps/files_reminders/l10n/da.js index b2baaecc8ce..0ace810f929 100644 --- a/apps/files_reminders/l10n/da.js +++ b/apps/files_reminders/l10n/da.js @@ -11,7 +11,6 @@ OC.L10N.register( "Set file reminders" : "Sæt filpåmindelser", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Filpåmindelser**\n\nIndstil filpåmindelser.\n\nBemærk: For at bruge appen \"Filpåmindelser\" skal du sikre dig, at appen \"Meddelelser\" er installeret og aktiveret. Appen 'Notifikationer' giver de nødvendige API'er for at appen 'Filpåmindelser' kan fungere korrekt.", "Set reminder for \"{fileName}\"" : "Indstil påmindelse for \"{fileName}\"", - "Set reminder at custom date & time" : "Indstil påmindelse til tilpasset dato og klokkeslæt", "Clear reminder" : "Ryd påmindelse", "Please choose a valid date & time" : "Vælg en gyldig dato & tid", "Reminder set for \"{fileName}\"" : "Påmindelse indstillet til \"{fileName}\"", @@ -22,7 +21,6 @@ OC.L10N.register( "Cancel" : "Annuller", "Set reminder" : "Sæt påmindelse", "Reminder set" : "Påmindelse sat", - "Set custom reminder" : "Sæt brugerdefineret påmindelse", "Later today" : "Senere i dag", "Set reminder for later today" : "Sæt påmindelse for senere i dag", "Tomorrow" : "I morgen", @@ -32,6 +30,8 @@ OC.L10N.register( "Next week" : "Næste uge", "Set reminder for next week" : "Sæt påmindelse for næste weekend", "This files_reminder can work properly." : "Denne files_reminder kan fungere korrekt.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Files_reminder-appen skal bruge notifikationsappen for at fungere korrekt. Du bør enten aktivere meddelelser eller deaktivere files_reminder." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Files_reminder-appen skal bruge notifikationsappen for at fungere korrekt. Du bør enten aktivere meddelelser eller deaktivere files_reminder.", + "Set reminder at custom date & time" : "Indstil påmindelse til tilpasset dato og klokkeslæt", + "Set custom reminder" : "Sæt brugerdefineret påmindelse" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_reminders/l10n/da.json b/apps/files_reminders/l10n/da.json index 833d71544b7..0c9771b1dd2 100644 --- a/apps/files_reminders/l10n/da.json +++ b/apps/files_reminders/l10n/da.json @@ -9,7 +9,6 @@ "Set file reminders" : "Sæt filpåmindelser", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Filpåmindelser**\n\nIndstil filpåmindelser.\n\nBemærk: For at bruge appen \"Filpåmindelser\" skal du sikre dig, at appen \"Meddelelser\" er installeret og aktiveret. Appen 'Notifikationer' giver de nødvendige API'er for at appen 'Filpåmindelser' kan fungere korrekt.", "Set reminder for \"{fileName}\"" : "Indstil påmindelse for \"{fileName}\"", - "Set reminder at custom date & time" : "Indstil påmindelse til tilpasset dato og klokkeslæt", "Clear reminder" : "Ryd påmindelse", "Please choose a valid date & time" : "Vælg en gyldig dato & tid", "Reminder set for \"{fileName}\"" : "Påmindelse indstillet til \"{fileName}\"", @@ -20,7 +19,6 @@ "Cancel" : "Annuller", "Set reminder" : "Sæt påmindelse", "Reminder set" : "Påmindelse sat", - "Set custom reminder" : "Sæt brugerdefineret påmindelse", "Later today" : "Senere i dag", "Set reminder for later today" : "Sæt påmindelse for senere i dag", "Tomorrow" : "I morgen", @@ -30,6 +28,8 @@ "Next week" : "Næste uge", "Set reminder for next week" : "Sæt påmindelse for næste weekend", "This files_reminder can work properly." : "Denne files_reminder kan fungere korrekt.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Files_reminder-appen skal bruge notifikationsappen for at fungere korrekt. Du bør enten aktivere meddelelser eller deaktivere files_reminder." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Files_reminder-appen skal bruge notifikationsappen for at fungere korrekt. Du bør enten aktivere meddelelser eller deaktivere files_reminder.", + "Set reminder at custom date & time" : "Indstil påmindelse til tilpasset dato og klokkeslæt", + "Set custom reminder" : "Sæt brugerdefineret påmindelse" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/de.js b/apps/files_reminders/l10n/de.js index 903a425b227..d46b079f3fe 100644 --- a/apps/files_reminders/l10n/de.js +++ b/apps/files_reminders/l10n/de.js @@ -11,7 +11,7 @@ OC.L10N.register( "Set file reminders" : "Dateierinnerungen setzen", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Dateierinnerungen**\n\nDateierinnerungen festlegen.\n\nHinweis: Um die App ``Dateierinnerungen` zu verwenden, stelle sicher, dass die App `Benachrichtigungen` installiert und aktiviert ist. Die App `Benachrichtigungen` bietet die erforderlichen APIs, damit die App `Dateierinnerungen`ordnungsgemäß funktioniert.", "Set reminder for \"{fileName}\"" : "Erinnerung für \"{fileName}\" setzen", - "Set reminder at custom date & time" : "Erinnerung für benutzerdefinierten Zeitpunkt und Tag erstellen", + "Reminder at custom date & time" : "Erinnerung zu benutzerdefiniertem Zeitpunkt und Tag", "Clear reminder" : "Erinnerung löschen", "Please choose a valid date & time" : "Bitte gültiges Datum und Uhrzeit wählen", "Reminder set for \"{fileName}\"" : "Erinnerung für \"{fileName}\" gesetzt", @@ -22,7 +22,7 @@ OC.L10N.register( "Cancel" : "Abbrechen", "Set reminder" : "Erinnerung erstellen", "Reminder set" : "Erinnerung gesetzt", - "Set custom reminder" : "Benutzerdefinierte Erinnerung erstellen", + "Custom reminder" : "Benutzerdefinierte Erinnerung", "Later today" : "Später heute", "Set reminder for later today" : "Erinnerung für nachher erstellen", "Tomorrow" : "Morgen", @@ -32,6 +32,8 @@ OC.L10N.register( "Next week" : "Nächste Woche", "Set reminder for next week" : "Erinnerung für nächste Woche erstellen", "This files_reminder can work properly." : "Dieser „files_reminder“ funktioniert ordnungsgemäß.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Die App „files_reminder“ benötigt die Benachrichtigungs-App, um ordnungsgemäß zu funktionieren. Sie sollten entweder Benachrichtigungen aktivieren oder „files_reminder“ deaktivieren." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Die App „files_reminder“ benötigt die Benachrichtigungs-App, um ordnungsgemäß zu funktionieren. Sie sollten entweder Benachrichtigungen aktivieren oder „files_reminder“ deaktivieren.", + "Set reminder at custom date & time" : "Erinnerung für benutzerdefinierten Zeitpunkt und Tag erstellen", + "Set custom reminder" : "Benutzerdefinierte Erinnerung erstellen" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_reminders/l10n/de.json b/apps/files_reminders/l10n/de.json index d4e5cb056da..2b82a91d296 100644 --- a/apps/files_reminders/l10n/de.json +++ b/apps/files_reminders/l10n/de.json @@ -9,7 +9,7 @@ "Set file reminders" : "Dateierinnerungen setzen", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Dateierinnerungen**\n\nDateierinnerungen festlegen.\n\nHinweis: Um die App ``Dateierinnerungen` zu verwenden, stelle sicher, dass die App `Benachrichtigungen` installiert und aktiviert ist. Die App `Benachrichtigungen` bietet die erforderlichen APIs, damit die App `Dateierinnerungen`ordnungsgemäß funktioniert.", "Set reminder for \"{fileName}\"" : "Erinnerung für \"{fileName}\" setzen", - "Set reminder at custom date & time" : "Erinnerung für benutzerdefinierten Zeitpunkt und Tag erstellen", + "Reminder at custom date & time" : "Erinnerung zu benutzerdefiniertem Zeitpunkt und Tag", "Clear reminder" : "Erinnerung löschen", "Please choose a valid date & time" : "Bitte gültiges Datum und Uhrzeit wählen", "Reminder set for \"{fileName}\"" : "Erinnerung für \"{fileName}\" gesetzt", @@ -20,7 +20,7 @@ "Cancel" : "Abbrechen", "Set reminder" : "Erinnerung erstellen", "Reminder set" : "Erinnerung gesetzt", - "Set custom reminder" : "Benutzerdefinierte Erinnerung erstellen", + "Custom reminder" : "Benutzerdefinierte Erinnerung", "Later today" : "Später heute", "Set reminder for later today" : "Erinnerung für nachher erstellen", "Tomorrow" : "Morgen", @@ -30,6 +30,8 @@ "Next week" : "Nächste Woche", "Set reminder for next week" : "Erinnerung für nächste Woche erstellen", "This files_reminder can work properly." : "Dieser „files_reminder“ funktioniert ordnungsgemäß.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Die App „files_reminder“ benötigt die Benachrichtigungs-App, um ordnungsgemäß zu funktionieren. Sie sollten entweder Benachrichtigungen aktivieren oder „files_reminder“ deaktivieren." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Die App „files_reminder“ benötigt die Benachrichtigungs-App, um ordnungsgemäß zu funktionieren. Sie sollten entweder Benachrichtigungen aktivieren oder „files_reminder“ deaktivieren.", + "Set reminder at custom date & time" : "Erinnerung für benutzerdefinierten Zeitpunkt und Tag erstellen", + "Set custom reminder" : "Benutzerdefinierte Erinnerung erstellen" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/de_DE.js b/apps/files_reminders/l10n/de_DE.js index 18353694380..2cd6103db1e 100644 --- a/apps/files_reminders/l10n/de_DE.js +++ b/apps/files_reminders/l10n/de_DE.js @@ -11,7 +11,7 @@ OC.L10N.register( "Set file reminders" : "Dateierinnerungen setzen", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Dateierinnerungen**\n\nDateierinnerungen festlegen.\n\nHinweis: Um die App ``Dateierinnerungen` zu verwenden, stellen Sie sicher, dass die App `Benachrichtigungen` installiert und aktiviert ist. Die App `Benachrichtigungen` bietet die erforderlichen APIs, damit die App `Dateierinnerungen` ordnungsgemäß funktioniert.", "Set reminder for \"{fileName}\"" : "Erinnerung für \"{fileName}\" setzen", - "Set reminder at custom date & time" : "Erinnerung für benutzerdefinierten Zeitpunkt und Tag erstellen", + "Reminder at custom date & time" : "Erinnerung zu benutzerdefiniertem Zeitpunkt und Tag", "Clear reminder" : "Erinnerung löschen", "Please choose a valid date & time" : "Bitte gültiges Datum und Uhrzeit wählen", "Reminder set for \"{fileName}\"" : "Erinnerung für \"{fileName}\" gesetzt", @@ -22,7 +22,7 @@ OC.L10N.register( "Cancel" : "Abbrechen", "Set reminder" : "Erinnerung erstellen", "Reminder set" : "Erinnerung gesetzt", - "Set custom reminder" : "Benutzerdefinierte Erinnerung erstellen", + "Custom reminder" : "Benutzerdefinierte Erinnerung", "Later today" : "Später heute", "Set reminder for later today" : "Erinnerung für später heute erstellen", "Tomorrow" : "Morgen", @@ -32,6 +32,8 @@ OC.L10N.register( "Next week" : "Nächste Woche", "Set reminder for next week" : "Erinnerung für nächste Woche erstellen", "This files_reminder can work properly." : "Die App \"files_reminders\" kann ordnungsgemäß funktionieren.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Die App \"files_reminders“ benötigt die Benachrichtigungs-App, um ordnungsgemäß zu funktionieren. Sie sollten entweder Benachrichtigungen aktivieren oder „files_reminders“ deaktivieren." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Die App \"files_reminders“ benötigt die Benachrichtigungs-App, um ordnungsgemäß zu funktionieren. Sie sollten entweder Benachrichtigungen aktivieren oder „files_reminders“ deaktivieren.", + "Set reminder at custom date & time" : "Erinnerung für benutzerdefinierten Zeitpunkt und Tag erstellen", + "Set custom reminder" : "Benutzerdefinierte Erinnerung erstellen" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_reminders/l10n/de_DE.json b/apps/files_reminders/l10n/de_DE.json index ec9b07b39b7..98d256c97bb 100644 --- a/apps/files_reminders/l10n/de_DE.json +++ b/apps/files_reminders/l10n/de_DE.json @@ -9,7 +9,7 @@ "Set file reminders" : "Dateierinnerungen setzen", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Dateierinnerungen**\n\nDateierinnerungen festlegen.\n\nHinweis: Um die App ``Dateierinnerungen` zu verwenden, stellen Sie sicher, dass die App `Benachrichtigungen` installiert und aktiviert ist. Die App `Benachrichtigungen` bietet die erforderlichen APIs, damit die App `Dateierinnerungen` ordnungsgemäß funktioniert.", "Set reminder for \"{fileName}\"" : "Erinnerung für \"{fileName}\" setzen", - "Set reminder at custom date & time" : "Erinnerung für benutzerdefinierten Zeitpunkt und Tag erstellen", + "Reminder at custom date & time" : "Erinnerung zu benutzerdefiniertem Zeitpunkt und Tag", "Clear reminder" : "Erinnerung löschen", "Please choose a valid date & time" : "Bitte gültiges Datum und Uhrzeit wählen", "Reminder set for \"{fileName}\"" : "Erinnerung für \"{fileName}\" gesetzt", @@ -20,7 +20,7 @@ "Cancel" : "Abbrechen", "Set reminder" : "Erinnerung erstellen", "Reminder set" : "Erinnerung gesetzt", - "Set custom reminder" : "Benutzerdefinierte Erinnerung erstellen", + "Custom reminder" : "Benutzerdefinierte Erinnerung", "Later today" : "Später heute", "Set reminder for later today" : "Erinnerung für später heute erstellen", "Tomorrow" : "Morgen", @@ -30,6 +30,8 @@ "Next week" : "Nächste Woche", "Set reminder for next week" : "Erinnerung für nächste Woche erstellen", "This files_reminder can work properly." : "Die App \"files_reminders\" kann ordnungsgemäß funktionieren.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Die App \"files_reminders“ benötigt die Benachrichtigungs-App, um ordnungsgemäß zu funktionieren. Sie sollten entweder Benachrichtigungen aktivieren oder „files_reminders“ deaktivieren." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Die App \"files_reminders“ benötigt die Benachrichtigungs-App, um ordnungsgemäß zu funktionieren. Sie sollten entweder Benachrichtigungen aktivieren oder „files_reminders“ deaktivieren.", + "Set reminder at custom date & time" : "Erinnerung für benutzerdefinierten Zeitpunkt und Tag erstellen", + "Set custom reminder" : "Benutzerdefinierte Erinnerung erstellen" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/el.js b/apps/files_reminders/l10n/el.js index 490b6dbcfb9..4faa92eaf2a 100644 --- a/apps/files_reminders/l10n/el.js +++ b/apps/files_reminders/l10n/el.js @@ -6,7 +6,6 @@ OC.L10N.register( "View file" : "Προβολή αρχείου", "View folder" : "Προβολή φακέλου", "Set file reminders" : "Ορίστε υπενθυμίσεις αρχείων", - "Set reminder at custom date & time" : "Ορίστε την υπενθύμιση σε προσαρμοσμένη ημερομηνία και ώρα", "Clear reminder" : "Εκκαθάριση υπενθύμισης", "Please choose a valid date & time" : "Επιλέξτε μια έγκυρη ημερομηνία και ώρα", "Reminder set for \"{fileName}\"" : "Ορίστηκε υπενθύμιση για \"{fileName}\"", @@ -14,7 +13,6 @@ OC.L10N.register( "Failed to clear reminder" : "Αποτυχία εκκαθάρισης της υπενθύμισης", "Cancel" : "Ακύρωση", "Set reminder" : "Προσθήκη υπενθύμισης", - "Set custom reminder" : "Ορισμός προσαρμοσμένης υπενθύμισης", "Later today" : "Αργότερα σήμερα", "Set reminder for later today" : "Ορισμός υπενθύμισης για αργότερα σήμερα", "Tomorrow" : "Αύριο", @@ -22,6 +20,8 @@ OC.L10N.register( "This weekend" : "Αυτό το Σαββατοκύριακο", "Set reminder for this weekend" : "Ορίστε υπενθύμιση για αυτό το Σαββατοκύριακο", "Next week" : "Επόμενη εβδομάδα", - "Set reminder for next week" : "Ορίστε υπενθύμιση για την επόμενη εβδομάδα" + "Set reminder for next week" : "Ορίστε υπενθύμιση για την επόμενη εβδομάδα", + "Set reminder at custom date & time" : "Ορίστε την υπενθύμιση σε προσαρμοσμένη ημερομηνία και ώρα", + "Set custom reminder" : "Ορισμός προσαρμοσμένης υπενθύμισης" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_reminders/l10n/el.json b/apps/files_reminders/l10n/el.json index 31c20fc33ee..b4d487abc20 100644 --- a/apps/files_reminders/l10n/el.json +++ b/apps/files_reminders/l10n/el.json @@ -4,7 +4,6 @@ "View file" : "Προβολή αρχείου", "View folder" : "Προβολή φακέλου", "Set file reminders" : "Ορίστε υπενθυμίσεις αρχείων", - "Set reminder at custom date & time" : "Ορίστε την υπενθύμιση σε προσαρμοσμένη ημερομηνία και ώρα", "Clear reminder" : "Εκκαθάριση υπενθύμισης", "Please choose a valid date & time" : "Επιλέξτε μια έγκυρη ημερομηνία και ώρα", "Reminder set for \"{fileName}\"" : "Ορίστηκε υπενθύμιση για \"{fileName}\"", @@ -12,7 +11,6 @@ "Failed to clear reminder" : "Αποτυχία εκκαθάρισης της υπενθύμισης", "Cancel" : "Ακύρωση", "Set reminder" : "Προσθήκη υπενθύμισης", - "Set custom reminder" : "Ορισμός προσαρμοσμένης υπενθύμισης", "Later today" : "Αργότερα σήμερα", "Set reminder for later today" : "Ορισμός υπενθύμισης για αργότερα σήμερα", "Tomorrow" : "Αύριο", @@ -20,6 +18,8 @@ "This weekend" : "Αυτό το Σαββατοκύριακο", "Set reminder for this weekend" : "Ορίστε υπενθύμιση για αυτό το Σαββατοκύριακο", "Next week" : "Επόμενη εβδομάδα", - "Set reminder for next week" : "Ορίστε υπενθύμιση για την επόμενη εβδομάδα" + "Set reminder for next week" : "Ορίστε υπενθύμιση για την επόμενη εβδομάδα", + "Set reminder at custom date & time" : "Ορίστε την υπενθύμιση σε προσαρμοσμένη ημερομηνία και ώρα", + "Set custom reminder" : "Ορισμός προσαρμοσμένης υπενθύμισης" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/en_GB.js b/apps/files_reminders/l10n/en_GB.js index 84d29ac5b18..dff76ce098e 100644 --- a/apps/files_reminders/l10n/en_GB.js +++ b/apps/files_reminders/l10n/en_GB.js @@ -11,7 +11,7 @@ OC.L10N.register( "Set file reminders" : "Set file reminders", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly.", "Set reminder for \"{fileName}\"" : "Set reminder for \"{fileName}\"", - "Set reminder at custom date & time" : "Set reminder at custom date & time", + "Reminder at custom date & time" : "Reminder at custom date & time", "Clear reminder" : "Clear reminder", "Please choose a valid date & time" : "Please choose a valid date & time", "Reminder set for \"{fileName}\"" : "Reminder set for \"{fileName}\"", @@ -22,7 +22,7 @@ OC.L10N.register( "Cancel" : "Cancel", "Set reminder" : "Set reminder", "Reminder set" : "Reminder set", - "Set custom reminder" : "Set custom reminder", + "Custom reminder" : "Custom reminder", "Later today" : "Later today", "Set reminder for later today" : "Set reminder for later today", "Tomorrow" : "Tomorrow", @@ -32,6 +32,8 @@ OC.L10N.register( "Next week" : "Next week", "Set reminder for next week" : "Set reminder for next week", "This files_reminder can work properly." : "This files_reminder can work properly.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder.", + "Set reminder at custom date & time" : "Set reminder at custom date & time", + "Set custom reminder" : "Set custom reminder" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_reminders/l10n/en_GB.json b/apps/files_reminders/l10n/en_GB.json index 495be5f0bd9..1991fb3799a 100644 --- a/apps/files_reminders/l10n/en_GB.json +++ b/apps/files_reminders/l10n/en_GB.json @@ -9,7 +9,7 @@ "Set file reminders" : "Set file reminders", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly.", "Set reminder for \"{fileName}\"" : "Set reminder for \"{fileName}\"", - "Set reminder at custom date & time" : "Set reminder at custom date & time", + "Reminder at custom date & time" : "Reminder at custom date & time", "Clear reminder" : "Clear reminder", "Please choose a valid date & time" : "Please choose a valid date & time", "Reminder set for \"{fileName}\"" : "Reminder set for \"{fileName}\"", @@ -20,7 +20,7 @@ "Cancel" : "Cancel", "Set reminder" : "Set reminder", "Reminder set" : "Reminder set", - "Set custom reminder" : "Set custom reminder", + "Custom reminder" : "Custom reminder", "Later today" : "Later today", "Set reminder for later today" : "Set reminder for later today", "Tomorrow" : "Tomorrow", @@ -30,6 +30,8 @@ "Next week" : "Next week", "Set reminder for next week" : "Set reminder for next week", "This files_reminder can work properly." : "This files_reminder can work properly.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder.", + "Set reminder at custom date & time" : "Set reminder at custom date & time", + "Set custom reminder" : "Set custom reminder" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/es.js b/apps/files_reminders/l10n/es.js index c7c93f6c73a..3161133516a 100644 --- a/apps/files_reminders/l10n/es.js +++ b/apps/files_reminders/l10n/es.js @@ -5,27 +5,35 @@ OC.L10N.register( "Reminder for {name}" : "Recordatorio para {name}", "View file" : "Ver archivo", "View folder" : "Ver carpeta", + "Files reminder" : "Recordatorios de archivo", + "The \"files_reminders\" app can work properly." : "La app \"files_reminders\" puede trabajar de forma apropiada.", + "The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "La app \"files_reminders\" requiere la app de notificaciones para trabajar de forma apropiada. Debería o bien habilitar las notificaciones o deshabilitar files_reminder.", "Set file reminders" : "Establecer recordatorios de archivo", + "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Recordatorios de archivo**\n\nEstablecer recordatorios de archivo.\n\nNota: para usar la app de `Recordatorios de archivo`, asegúrese de que la app de `Notificaciones` está instalada y habilitada. La app de `Notificaciones` provee las APIs necesarias para que la app de `Recordatorios de archivo` funcione correctamente.", "Set reminder for \"{fileName}\"" : "Establecer recordatorio para \"{fileName}\"", - "Set reminder at custom date & time" : "Establecer recordatorio a una fecha y hora personalizada", + "Reminder at custom date & time" : "Recordatorio en una fecha y hora personalizada", "Clear reminder" : "Borrar recordatorio", "Please choose a valid date & time" : "Por favor, escoja una fecha y hora válidas", "Reminder set for \"{fileName}\"" : "Se estableció recordatorio para \"{fileName}\"", - "Failed to set reminder" : "No se pudo configurar el recordatorio", + "Failed to set reminder" : "No se pudo establecer el recordatorio", "Reminder cleared for \"{fileName}\"" : "Se limpió el recordatorio para \"{fileName}\"", - "Failed to clear reminder" : "Fallo al quitar el recordatorio", + "Failed to clear reminder" : "Fallo al borrar el recordatorio", "We will remind you of this file" : "Le recordaremos de este archivo", "Cancel" : "Cancelar", - "Set reminder" : "Enviar recordatorio", + "Set reminder" : "Establecer recordatorio", "Reminder set" : "Recordatorio establecido", - "Set custom reminder" : "Configurar recordatorio personalizado", + "Custom reminder" : "Recordatorio personalizado", "Later today" : "Más tarde hoy", - "Set reminder for later today" : "Configurar recordatorio para hoy, más tarde", + "Set reminder for later today" : "Establecer recordatorio para hoy, más tarde", "Tomorrow" : "Mañana", - "Set reminder for tomorrow" : "Configurar recordatorio para mañana", + "Set reminder for tomorrow" : "Establecer recordatorio para mañana", "This weekend" : "Este fin de semana", - "Set reminder for this weekend" : "Configurar recordatorio para este fin de semana", - "Next week" : "Semana siguiente", - "Set reminder for next week" : "Configurar recordatorio para la semana que viene" + "Set reminder for this weekend" : "Establecer recordatorio para este fin de semana", + "Next week" : "Próxima semana", + "Set reminder for next week" : "Establecer recordatorio para la próxima semana", + "This files_reminder can work properly." : "Este files_reminder puede trabajar de forma apropiada.", + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "La app \"files_reminders\" requiere la app de notificaciones para trabajar de forma apropiada. Debería o bien habilitar las notificaciones o deshabilitar files_reminder.", + "Set reminder at custom date & time" : "Establecer recordatorio a una fecha y hora personalizada", + "Set custom reminder" : "Establecer recordatorio personalizado" }, "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/files_reminders/l10n/es.json b/apps/files_reminders/l10n/es.json index fd2e59882e2..ca3bc8ce1cd 100644 --- a/apps/files_reminders/l10n/es.json +++ b/apps/files_reminders/l10n/es.json @@ -3,27 +3,35 @@ "Reminder for {name}" : "Recordatorio para {name}", "View file" : "Ver archivo", "View folder" : "Ver carpeta", + "Files reminder" : "Recordatorios de archivo", + "The \"files_reminders\" app can work properly." : "La app \"files_reminders\" puede trabajar de forma apropiada.", + "The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "La app \"files_reminders\" requiere la app de notificaciones para trabajar de forma apropiada. Debería o bien habilitar las notificaciones o deshabilitar files_reminder.", "Set file reminders" : "Establecer recordatorios de archivo", + "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Recordatorios de archivo**\n\nEstablecer recordatorios de archivo.\n\nNota: para usar la app de `Recordatorios de archivo`, asegúrese de que la app de `Notificaciones` está instalada y habilitada. La app de `Notificaciones` provee las APIs necesarias para que la app de `Recordatorios de archivo` funcione correctamente.", "Set reminder for \"{fileName}\"" : "Establecer recordatorio para \"{fileName}\"", - "Set reminder at custom date & time" : "Establecer recordatorio a una fecha y hora personalizada", + "Reminder at custom date & time" : "Recordatorio en una fecha y hora personalizada", "Clear reminder" : "Borrar recordatorio", "Please choose a valid date & time" : "Por favor, escoja una fecha y hora válidas", "Reminder set for \"{fileName}\"" : "Se estableció recordatorio para \"{fileName}\"", - "Failed to set reminder" : "No se pudo configurar el recordatorio", + "Failed to set reminder" : "No se pudo establecer el recordatorio", "Reminder cleared for \"{fileName}\"" : "Se limpió el recordatorio para \"{fileName}\"", - "Failed to clear reminder" : "Fallo al quitar el recordatorio", + "Failed to clear reminder" : "Fallo al borrar el recordatorio", "We will remind you of this file" : "Le recordaremos de este archivo", "Cancel" : "Cancelar", - "Set reminder" : "Enviar recordatorio", + "Set reminder" : "Establecer recordatorio", "Reminder set" : "Recordatorio establecido", - "Set custom reminder" : "Configurar recordatorio personalizado", + "Custom reminder" : "Recordatorio personalizado", "Later today" : "Más tarde hoy", - "Set reminder for later today" : "Configurar recordatorio para hoy, más tarde", + "Set reminder for later today" : "Establecer recordatorio para hoy, más tarde", "Tomorrow" : "Mañana", - "Set reminder for tomorrow" : "Configurar recordatorio para mañana", + "Set reminder for tomorrow" : "Establecer recordatorio para mañana", "This weekend" : "Este fin de semana", - "Set reminder for this weekend" : "Configurar recordatorio para este fin de semana", - "Next week" : "Semana siguiente", - "Set reminder for next week" : "Configurar recordatorio para la semana que viene" + "Set reminder for this weekend" : "Establecer recordatorio para este fin de semana", + "Next week" : "Próxima semana", + "Set reminder for next week" : "Establecer recordatorio para la próxima semana", + "This files_reminder can work properly." : "Este files_reminder puede trabajar de forma apropiada.", + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "La app \"files_reminders\" requiere la app de notificaciones para trabajar de forma apropiada. Debería o bien habilitar las notificaciones o deshabilitar files_reminder.", + "Set reminder at custom date & time" : "Establecer recordatorio a una fecha y hora personalizada", + "Set custom reminder" : "Establecer recordatorio personalizado" },"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_reminders/l10n/et_EE.js b/apps/files_reminders/l10n/et_EE.js index e122b274275..93e4be54a08 100644 --- a/apps/files_reminders/l10n/et_EE.js +++ b/apps/files_reminders/l10n/et_EE.js @@ -11,7 +11,6 @@ OC.L10N.register( "Set file reminders" : "Meeldetuletuste lisamine failidele ja kaustadele", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Failide meeldetuletused**\n\nLisa failidele ja kaustadele meeldetuletusi.\n\nMärkus: Teavituste rakendus peab olema paigaldatud ja kasutusel, et see Failide meeldetuletuste rakendus saaks korrektselt toimida. Teavituste rakendus tagab selle rakenduse toimimiseks vajalik liideste olemasolu.", "Set reminder for \"{fileName}\"" : "Lisa meeldetuletus: „{fileName}“", - "Set reminder at custom date & time" : "Säti meeldetuletus valitud kuupäevaks ja ajaks", "Clear reminder" : "Eemalda meeldetuletus", "Please choose a valid date & time" : "Palun vali korrektne kuupäev ja kellaaeg", "Reminder set for \"{fileName}\"" : "Meeldetuletus on lisatud: „{fileName}“", @@ -22,7 +21,6 @@ OC.L10N.register( "Cancel" : "Tühista", "Set reminder" : "Lisa meeldetuletus", "Reminder set" : "Meeldetuletus on lisatud", - "Set custom reminder" : "Lisa enda valitud meeldetuletus", "Later today" : "Täna hiljem", "Set reminder for later today" : "Lisa meeldetuletus tänaseks hilisemaks ajaks", "Tomorrow" : "Homme", @@ -32,6 +30,8 @@ OC.L10N.register( "Next week" : "Järgmine nädal", "Set reminder for next week" : "Lisa meeldetuletus järgmiseks nädalaks", "This files_reminder can work properly." : "See Failide meeldetuletaja võib toimida korrektselt.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Failide meeldetuletusrakendus vajab korrektseks toimimiseks teavituste rakenduse olemasolu. Palun lisa vajalik abirakendus või eemalda see rakendus kasutuselt." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Failide meeldetuletusrakendus vajab korrektseks toimimiseks teavituste rakenduse olemasolu. Palun lisa vajalik abirakendus või eemalda see rakendus kasutuselt.", + "Set reminder at custom date & time" : "Säti meeldetuletus valitud kuupäevaks ja ajaks", + "Set custom reminder" : "Lisa enda valitud meeldetuletus" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_reminders/l10n/et_EE.json b/apps/files_reminders/l10n/et_EE.json index 0c83ac3dba2..bf389a3ab35 100644 --- a/apps/files_reminders/l10n/et_EE.json +++ b/apps/files_reminders/l10n/et_EE.json @@ -9,7 +9,6 @@ "Set file reminders" : "Meeldetuletuste lisamine failidele ja kaustadele", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Failide meeldetuletused**\n\nLisa failidele ja kaustadele meeldetuletusi.\n\nMärkus: Teavituste rakendus peab olema paigaldatud ja kasutusel, et see Failide meeldetuletuste rakendus saaks korrektselt toimida. Teavituste rakendus tagab selle rakenduse toimimiseks vajalik liideste olemasolu.", "Set reminder for \"{fileName}\"" : "Lisa meeldetuletus: „{fileName}“", - "Set reminder at custom date & time" : "Säti meeldetuletus valitud kuupäevaks ja ajaks", "Clear reminder" : "Eemalda meeldetuletus", "Please choose a valid date & time" : "Palun vali korrektne kuupäev ja kellaaeg", "Reminder set for \"{fileName}\"" : "Meeldetuletus on lisatud: „{fileName}“", @@ -20,7 +19,6 @@ "Cancel" : "Tühista", "Set reminder" : "Lisa meeldetuletus", "Reminder set" : "Meeldetuletus on lisatud", - "Set custom reminder" : "Lisa enda valitud meeldetuletus", "Later today" : "Täna hiljem", "Set reminder for later today" : "Lisa meeldetuletus tänaseks hilisemaks ajaks", "Tomorrow" : "Homme", @@ -30,6 +28,8 @@ "Next week" : "Järgmine nädal", "Set reminder for next week" : "Lisa meeldetuletus järgmiseks nädalaks", "This files_reminder can work properly." : "See Failide meeldetuletaja võib toimida korrektselt.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Failide meeldetuletusrakendus vajab korrektseks toimimiseks teavituste rakenduse olemasolu. Palun lisa vajalik abirakendus või eemalda see rakendus kasutuselt." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Failide meeldetuletusrakendus vajab korrektseks toimimiseks teavituste rakenduse olemasolu. Palun lisa vajalik abirakendus või eemalda see rakendus kasutuselt.", + "Set reminder at custom date & time" : "Säti meeldetuletus valitud kuupäevaks ja ajaks", + "Set custom reminder" : "Lisa enda valitud meeldetuletus" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/eu.js b/apps/files_reminders/l10n/eu.js index 6bbb63c52df..f138b1e56db 100644 --- a/apps/files_reminders/l10n/eu.js +++ b/apps/files_reminders/l10n/eu.js @@ -9,7 +9,6 @@ OC.L10N.register( "Cancel" : "Utzi", "Set reminder" : "Ezarri gogorarazpena", "Reminder set" : "Gogorarazpena ezarrita", - "Set custom reminder" : "Ezarri gogorarazpen pertsonalizatua", "Later today" : "Beranduago gaur", "Set reminder for later today" : "Ezarri gogorarazpena gaur beranduagorako", "Tomorrow" : "Bihar", @@ -17,6 +16,7 @@ OC.L10N.register( "This weekend" : "Asteburu hau", "Set reminder for this weekend" : "Ezarri gogorarazpena asteburu honetarako", "Next week" : "Hurrengo astea", - "Set reminder for next week" : "Ezarri gogorarazpena hurrengo asterako" + "Set reminder for next week" : "Ezarri gogorarazpena hurrengo asterako", + "Set custom reminder" : "Ezarri gogorarazpen pertsonalizatua" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_reminders/l10n/eu.json b/apps/files_reminders/l10n/eu.json index 1615ff8b304..56c4c9d02db 100644 --- a/apps/files_reminders/l10n/eu.json +++ b/apps/files_reminders/l10n/eu.json @@ -7,7 +7,6 @@ "Cancel" : "Utzi", "Set reminder" : "Ezarri gogorarazpena", "Reminder set" : "Gogorarazpena ezarrita", - "Set custom reminder" : "Ezarri gogorarazpen pertsonalizatua", "Later today" : "Beranduago gaur", "Set reminder for later today" : "Ezarri gogorarazpena gaur beranduagorako", "Tomorrow" : "Bihar", @@ -15,6 +14,7 @@ "This weekend" : "Asteburu hau", "Set reminder for this weekend" : "Ezarri gogorarazpena asteburu honetarako", "Next week" : "Hurrengo astea", - "Set reminder for next week" : "Ezarri gogorarazpena hurrengo asterako" + "Set reminder for next week" : "Ezarri gogorarazpena hurrengo asterako", + "Set custom reminder" : "Ezarri gogorarazpen pertsonalizatua" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/fi.js b/apps/files_reminders/l10n/fi.js index 69d2d16255e..0ecb1cead95 100644 --- a/apps/files_reminders/l10n/fi.js +++ b/apps/files_reminders/l10n/fi.js @@ -7,7 +7,6 @@ OC.L10N.register( "View folder" : "Näytä kansio", "Set file reminders" : "Aseta tiedostomuistutuksia", "Set reminder for \"{fileName}\"" : "Muistutus asetettu tiedostolle \"{fileName}\"", - "Set reminder at custom date & time" : "Aseta muistutus mukautetulle päivälle ja ajankohdalle", "Clear reminder" : "Tyhjennä muistutus", "Please choose a valid date & time" : "Valitse kelvollinen päivä ja aika", "Reminder set for \"{fileName}\"" : "Muistutus asetettu tiedostolle \"{fileName}\"", @@ -17,7 +16,6 @@ OC.L10N.register( "Cancel" : "Peruuta", "Set reminder" : "Aseta muistutus", "Reminder set" : "Muistutus asetettu", - "Set custom reminder" : "Aseta mukautettu muistutus", "Later today" : "Myöhemmin tänään", "Set reminder for later today" : "Aseta muistutus myöhemmälle ajankohdalle tälle päivälle", "Tomorrow" : "Huomenna", @@ -25,6 +23,8 @@ OC.L10N.register( "This weekend" : "Tämä viikonloppu", "Set reminder for this weekend" : "Aseta muistutus tälle viikonlopulle", "Next week" : "Seuraava viikko", - "Set reminder for next week" : "Aseta muistutus seuraavalle viikolle" + "Set reminder for next week" : "Aseta muistutus seuraavalle viikolle", + "Set reminder at custom date & time" : "Aseta muistutus mukautetulle päivälle ja ajankohdalle", + "Set custom reminder" : "Aseta mukautettu muistutus" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_reminders/l10n/fi.json b/apps/files_reminders/l10n/fi.json index 6d3abf369d5..0a75fa7481d 100644 --- a/apps/files_reminders/l10n/fi.json +++ b/apps/files_reminders/l10n/fi.json @@ -5,7 +5,6 @@ "View folder" : "Näytä kansio", "Set file reminders" : "Aseta tiedostomuistutuksia", "Set reminder for \"{fileName}\"" : "Muistutus asetettu tiedostolle \"{fileName}\"", - "Set reminder at custom date & time" : "Aseta muistutus mukautetulle päivälle ja ajankohdalle", "Clear reminder" : "Tyhjennä muistutus", "Please choose a valid date & time" : "Valitse kelvollinen päivä ja aika", "Reminder set for \"{fileName}\"" : "Muistutus asetettu tiedostolle \"{fileName}\"", @@ -15,7 +14,6 @@ "Cancel" : "Peruuta", "Set reminder" : "Aseta muistutus", "Reminder set" : "Muistutus asetettu", - "Set custom reminder" : "Aseta mukautettu muistutus", "Later today" : "Myöhemmin tänään", "Set reminder for later today" : "Aseta muistutus myöhemmälle ajankohdalle tälle päivälle", "Tomorrow" : "Huomenna", @@ -23,6 +21,8 @@ "This weekend" : "Tämä viikonloppu", "Set reminder for this weekend" : "Aseta muistutus tälle viikonlopulle", "Next week" : "Seuraava viikko", - "Set reminder for next week" : "Aseta muistutus seuraavalle viikolle" + "Set reminder for next week" : "Aseta muistutus seuraavalle viikolle", + "Set reminder at custom date & time" : "Aseta muistutus mukautetulle päivälle ja ajankohdalle", + "Set custom reminder" : "Aseta mukautettu muistutus" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/fr.js b/apps/files_reminders/l10n/fr.js index 2047eabb255..f72db23f822 100644 --- a/apps/files_reminders/l10n/fr.js +++ b/apps/files_reminders/l10n/fr.js @@ -11,7 +11,6 @@ OC.L10N.register( "Set file reminders" : "Définir des rappels pour des fichiers", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Rappels de fichiers**\n\nDéfinit des rappels de fichiers.\n\nNote: pour utiliser l'application `Rappels de fichiers`, assurez-vous que l'application `Notifications` est installée et activée. L'application `Notifications` fournit les APIs nécessaires pour que l'application `Rappels de fichiers` fonctionne correctement.", "Set reminder for \"{fileName}\"" : "Définir un rappel pour « {fileName} »", - "Set reminder at custom date & time" : "Définition d'un rappel à une date et une heure personnalisées", "Clear reminder" : "Effacer le rappel", "Please choose a valid date & time" : "Veuillez choisir une date et une heure valables", "Reminder set for \"{fileName}\"" : "Définition d’un rappel pour « {fileName} »", @@ -22,7 +21,6 @@ OC.L10N.register( "Cancel" : "Annuler", "Set reminder" : "Définir un rappel", "Reminder set" : "Rappel défini", - "Set custom reminder" : "Définir un rappel personnalisé", "Later today" : "Plus tard aujourd'hui", "Set reminder for later today" : "Définir un rappel pour plus tard aujourd'hui", "Tomorrow" : "Demain", @@ -32,6 +30,8 @@ OC.L10N.register( "Next week" : "Semaine suivante", "Set reminder for next week" : "Définir un rappel pour la semaine prochaine", "This files_reminder can work properly." : "Ce files_reminder peut fonctionner correctement.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "L'application files_reminder a besoin de l'application de notifications pour fonctionner correctement. Vous devez activer les notifications ou désactiver files_reminder." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "L'application files_reminder a besoin de l'application de notifications pour fonctionner correctement. Vous devez activer les notifications ou désactiver files_reminder.", + "Set reminder at custom date & time" : "Définition d'un rappel à une date et une heure personnalisées", + "Set custom reminder" : "Définir un rappel personnalisé" }, "nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/files_reminders/l10n/fr.json b/apps/files_reminders/l10n/fr.json index 107c89ef133..d18f411842b 100644 --- a/apps/files_reminders/l10n/fr.json +++ b/apps/files_reminders/l10n/fr.json @@ -9,7 +9,6 @@ "Set file reminders" : "Définir des rappels pour des fichiers", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Rappels de fichiers**\n\nDéfinit des rappels de fichiers.\n\nNote: pour utiliser l'application `Rappels de fichiers`, assurez-vous que l'application `Notifications` est installée et activée. L'application `Notifications` fournit les APIs nécessaires pour que l'application `Rappels de fichiers` fonctionne correctement.", "Set reminder for \"{fileName}\"" : "Définir un rappel pour « {fileName} »", - "Set reminder at custom date & time" : "Définition d'un rappel à une date et une heure personnalisées", "Clear reminder" : "Effacer le rappel", "Please choose a valid date & time" : "Veuillez choisir une date et une heure valables", "Reminder set for \"{fileName}\"" : "Définition d’un rappel pour « {fileName} »", @@ -20,7 +19,6 @@ "Cancel" : "Annuler", "Set reminder" : "Définir un rappel", "Reminder set" : "Rappel défini", - "Set custom reminder" : "Définir un rappel personnalisé", "Later today" : "Plus tard aujourd'hui", "Set reminder for later today" : "Définir un rappel pour plus tard aujourd'hui", "Tomorrow" : "Demain", @@ -30,6 +28,8 @@ "Next week" : "Semaine suivante", "Set reminder for next week" : "Définir un rappel pour la semaine prochaine", "This files_reminder can work properly." : "Ce files_reminder peut fonctionner correctement.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "L'application files_reminder a besoin de l'application de notifications pour fonctionner correctement. Vous devez activer les notifications ou désactiver files_reminder." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "L'application files_reminder a besoin de l'application de notifications pour fonctionner correctement. Vous devez activer les notifications ou désactiver files_reminder.", + "Set reminder at custom date & time" : "Définition d'un rappel à une date et une heure personnalisées", + "Set custom reminder" : "Définir un rappel personnalisé" },"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_reminders/l10n/ga.js b/apps/files_reminders/l10n/ga.js index 74b54a1edbb..2167cd7b864 100644 --- a/apps/files_reminders/l10n/ga.js +++ b/apps/files_reminders/l10n/ga.js @@ -11,7 +11,6 @@ OC.L10N.register( "Set file reminders" : "Socraigh meabhrúcháin comhaid", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Meabhrúcháin comhaid**\n\nSocraigh meabhrúcháin comhaid.\n\nTabhair faoi deara: chun an aip `Meabhrúcháin Comhad` a úsáid, cinntigh go bhfuil an aip `Fógraí` suiteáilte agus cumasaithe. Soláthraíonn an aip `Fógraí` na APInna riachtanacha chun go n-oibreoidh an aip `Meabhrúcháin Comhad` i gceart.", "Set reminder for \"{fileName}\"" : "Socraigh meabhrúchán do \"{fileName}\"", - "Set reminder at custom date & time" : "Socraigh meabhrúchán ar dháta agus am saincheaptha", "Clear reminder" : "Meabhrúchán soiléir", "Please choose a valid date & time" : "Roghnaigh dáta agus am bailí le do thoil", "Reminder set for \"{fileName}\"" : "Meabhrúchán socraithe do \"{fileName}\"", @@ -22,7 +21,6 @@ OC.L10N.register( "Cancel" : "Cealaigh", "Set reminder" : "Socraigh meabhrúchán", "Reminder set" : "Meabhrúchán socraithe", - "Set custom reminder" : "Socraigh meabhrúchán saincheaptha", "Later today" : "Níos déanaí inniu", "Set reminder for later today" : "Socraigh meabhrúchán le haghaidh níos déanaí inniu", "Tomorrow" : "Amárach", @@ -32,6 +30,8 @@ OC.L10N.register( "Next week" : "An tseachtain seo chugainn", "Set reminder for next week" : "Socraigh meabhrúchán don tseachtain seo chugainn", "This files_reminder can work properly." : "Is féidir leis an gcomhad_reminder seo oibriú i gceart.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Teastaíonn an aip fógraí ón aip files_reminder chun oibriú i gceart. Ba cheart duit fógraí a chumasú nó comhaid_reminder a dhíchumasú." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Teastaíonn an aip fógraí ón aip files_reminder chun oibriú i gceart. Ba cheart duit fógraí a chumasú nó comhaid_reminder a dhíchumasú.", + "Set reminder at custom date & time" : "Socraigh meabhrúchán ar dháta agus am saincheaptha", + "Set custom reminder" : "Socraigh meabhrúchán saincheaptha" }, "nplurals=5; plural=(n==1 ? 0 : n==2 ? 1 : n<7 ? 2 : n<11 ? 3 : 4);"); diff --git a/apps/files_reminders/l10n/ga.json b/apps/files_reminders/l10n/ga.json index 8fa3dbe208d..a4fe40de857 100644 --- a/apps/files_reminders/l10n/ga.json +++ b/apps/files_reminders/l10n/ga.json @@ -9,7 +9,6 @@ "Set file reminders" : "Socraigh meabhrúcháin comhaid", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Meabhrúcháin comhaid**\n\nSocraigh meabhrúcháin comhaid.\n\nTabhair faoi deara: chun an aip `Meabhrúcháin Comhad` a úsáid, cinntigh go bhfuil an aip `Fógraí` suiteáilte agus cumasaithe. Soláthraíonn an aip `Fógraí` na APInna riachtanacha chun go n-oibreoidh an aip `Meabhrúcháin Comhad` i gceart.", "Set reminder for \"{fileName}\"" : "Socraigh meabhrúchán do \"{fileName}\"", - "Set reminder at custom date & time" : "Socraigh meabhrúchán ar dháta agus am saincheaptha", "Clear reminder" : "Meabhrúchán soiléir", "Please choose a valid date & time" : "Roghnaigh dáta agus am bailí le do thoil", "Reminder set for \"{fileName}\"" : "Meabhrúchán socraithe do \"{fileName}\"", @@ -20,7 +19,6 @@ "Cancel" : "Cealaigh", "Set reminder" : "Socraigh meabhrúchán", "Reminder set" : "Meabhrúchán socraithe", - "Set custom reminder" : "Socraigh meabhrúchán saincheaptha", "Later today" : "Níos déanaí inniu", "Set reminder for later today" : "Socraigh meabhrúchán le haghaidh níos déanaí inniu", "Tomorrow" : "Amárach", @@ -30,6 +28,8 @@ "Next week" : "An tseachtain seo chugainn", "Set reminder for next week" : "Socraigh meabhrúchán don tseachtain seo chugainn", "This files_reminder can work properly." : "Is féidir leis an gcomhad_reminder seo oibriú i gceart.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Teastaíonn an aip fógraí ón aip files_reminder chun oibriú i gceart. Ba cheart duit fógraí a chumasú nó comhaid_reminder a dhíchumasú." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Teastaíonn an aip fógraí ón aip files_reminder chun oibriú i gceart. Ba cheart duit fógraí a chumasú nó comhaid_reminder a dhíchumasú.", + "Set reminder at custom date & time" : "Socraigh meabhrúchán ar dháta agus am saincheaptha", + "Set custom reminder" : "Socraigh meabhrúchán saincheaptha" },"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_reminders/l10n/gl.js b/apps/files_reminders/l10n/gl.js index fe3cf904877..6275d8182a5 100644 --- a/apps/files_reminders/l10n/gl.js +++ b/apps/files_reminders/l10n/gl.js @@ -8,7 +8,6 @@ OC.L10N.register( "Set file reminders" : "Definir lembretes de ficheiros", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Lembretes de ficheiros**\n\nDefinir lembretes de ficheiros.\n\nNota: para usar a aplicación «Lembretes de ficheiros», asegúrese de que a aplicación «Notificacións» estea instalada e activada. A aplicación «Notificacións» ofrece as API necesarias para que a aplicación «Lembretes de ficheiros» funcione correctamente.", "Set reminder for \"{fileName}\"" : "Definir un lembrete para «{fileName}»", - "Set reminder at custom date & time" : "Definir lembrete na data e hora personalizadas", "Clear reminder" : "Limpar o lembrete", "Please choose a valid date & time" : "Escolla unha data e hora válidas", "Reminder set for \"{fileName}\"" : "Lembrete definido para «{fileName}»", @@ -19,7 +18,6 @@ OC.L10N.register( "Cancel" : "Cancelar", "Set reminder" : "Definir un lembrete", "Reminder set" : "Definir lembrete", - "Set custom reminder" : "Definir un lembrete personalizado", "Later today" : "Hoxe máis tarde", "Set reminder for later today" : "Definir un lembrete para hoxe máis tarde", "Tomorrow" : "Mañá", @@ -27,6 +25,8 @@ OC.L10N.register( "This weekend" : "Este fin de semana", "Set reminder for this weekend" : "Definir un lembrete para este fin de semana", "Next week" : "Semana seguinte", - "Set reminder for next week" : "Definir un lembrete para a semana seguinte" + "Set reminder for next week" : "Definir un lembrete para a semana seguinte", + "Set reminder at custom date & time" : "Definir lembrete na data e hora personalizadas", + "Set custom reminder" : "Definir un lembrete personalizado" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_reminders/l10n/gl.json b/apps/files_reminders/l10n/gl.json index 2ad4a58667a..678ba6bcca8 100644 --- a/apps/files_reminders/l10n/gl.json +++ b/apps/files_reminders/l10n/gl.json @@ -6,7 +6,6 @@ "Set file reminders" : "Definir lembretes de ficheiros", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Lembretes de ficheiros**\n\nDefinir lembretes de ficheiros.\n\nNota: para usar a aplicación «Lembretes de ficheiros», asegúrese de que a aplicación «Notificacións» estea instalada e activada. A aplicación «Notificacións» ofrece as API necesarias para que a aplicación «Lembretes de ficheiros» funcione correctamente.", "Set reminder for \"{fileName}\"" : "Definir un lembrete para «{fileName}»", - "Set reminder at custom date & time" : "Definir lembrete na data e hora personalizadas", "Clear reminder" : "Limpar o lembrete", "Please choose a valid date & time" : "Escolla unha data e hora válidas", "Reminder set for \"{fileName}\"" : "Lembrete definido para «{fileName}»", @@ -17,7 +16,6 @@ "Cancel" : "Cancelar", "Set reminder" : "Definir un lembrete", "Reminder set" : "Definir lembrete", - "Set custom reminder" : "Definir un lembrete personalizado", "Later today" : "Hoxe máis tarde", "Set reminder for later today" : "Definir un lembrete para hoxe máis tarde", "Tomorrow" : "Mañá", @@ -25,6 +23,8 @@ "This weekend" : "Este fin de semana", "Set reminder for this weekend" : "Definir un lembrete para este fin de semana", "Next week" : "Semana seguinte", - "Set reminder for next week" : "Definir un lembrete para a semana seguinte" + "Set reminder for next week" : "Definir un lembrete para a semana seguinte", + "Set reminder at custom date & time" : "Definir lembrete na data e hora personalizadas", + "Set custom reminder" : "Definir un lembrete personalizado" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/hu.js b/apps/files_reminders/l10n/hu.js index a03675b1826..ff9c901ffae 100644 --- a/apps/files_reminders/l10n/hu.js +++ b/apps/files_reminders/l10n/hu.js @@ -7,7 +7,6 @@ OC.L10N.register( "View folder" : "Mappa megtekintése", "Set file reminders" : "Fájl emlékeztetők beállítása", "Set reminder for \"{fileName}\"" : "Emlékeztető beállítása a következőhöz: „{fileName}”", - "Set reminder at custom date & time" : "Emlékeztető beállítása tetszőleges időpontra", "Clear reminder" : "Emlékeztető törlése", "Please choose a valid date & time" : "Adjon meg egy érvényes dátumot és időt", "Reminder set for \"{fileName}\"" : "Emlékeztető beállítva a következőhöz: {fileName}", @@ -18,7 +17,6 @@ OC.L10N.register( "Cancel" : "Mégse", "Set reminder" : "Emlékeztető beállítása", "Reminder set" : "Emlékeztető beállítása", - "Set custom reminder" : "Egyéni emlékeztető beállítása", "Later today" : "Mai nap később", "Set reminder for later today" : "Emlékeztető beállítása a mai napon későbbre", "Tomorrow" : "Holnap", @@ -26,6 +24,8 @@ OC.L10N.register( "This weekend" : "Ezen a héten", "Set reminder for this weekend" : "Emlékeztető beállítása erre a hétvégére", "Next week" : "Következő hét", - "Set reminder for next week" : "Emlékeztető beállítása a következő hétre" + "Set reminder for next week" : "Emlékeztető beállítása a következő hétre", + "Set reminder at custom date & time" : "Emlékeztető beállítása tetszőleges időpontra", + "Set custom reminder" : "Egyéni emlékeztető beállítása" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_reminders/l10n/hu.json b/apps/files_reminders/l10n/hu.json index 28ac538f535..36c4ace533f 100644 --- a/apps/files_reminders/l10n/hu.json +++ b/apps/files_reminders/l10n/hu.json @@ -5,7 +5,6 @@ "View folder" : "Mappa megtekintése", "Set file reminders" : "Fájl emlékeztetők beállítása", "Set reminder for \"{fileName}\"" : "Emlékeztető beállítása a következőhöz: „{fileName}”", - "Set reminder at custom date & time" : "Emlékeztető beállítása tetszőleges időpontra", "Clear reminder" : "Emlékeztető törlése", "Please choose a valid date & time" : "Adjon meg egy érvényes dátumot és időt", "Reminder set for \"{fileName}\"" : "Emlékeztető beállítva a következőhöz: {fileName}", @@ -16,7 +15,6 @@ "Cancel" : "Mégse", "Set reminder" : "Emlékeztető beállítása", "Reminder set" : "Emlékeztető beállítása", - "Set custom reminder" : "Egyéni emlékeztető beállítása", "Later today" : "Mai nap később", "Set reminder for later today" : "Emlékeztető beállítása a mai napon későbbre", "Tomorrow" : "Holnap", @@ -24,6 +22,8 @@ "This weekend" : "Ezen a héten", "Set reminder for this weekend" : "Emlékeztető beállítása erre a hétvégére", "Next week" : "Következő hét", - "Set reminder for next week" : "Emlékeztető beállítása a következő hétre" + "Set reminder for next week" : "Emlékeztető beállítása a következő hétre", + "Set reminder at custom date & time" : "Emlékeztető beállítása tetszőleges időpontra", + "Set custom reminder" : "Egyéni emlékeztető beállítása" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/it.js b/apps/files_reminders/l10n/it.js index 473516bbb86..c9c3a08142d 100644 --- a/apps/files_reminders/l10n/it.js +++ b/apps/files_reminders/l10n/it.js @@ -6,10 +6,12 @@ OC.L10N.register( "View file" : "Visualizza file", "View folder" : "Visualizza cartella", "Files reminder" : "Files reminder", + "The \"files_reminders\" app can work properly." : "L'app \"files_reminders\" può funzionare correttamente.", + "The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "L'app \"files_reminders\" necessita dell'app di notifica per funzionare correttamente. È necessario abilitare le notifiche o disabilitare files_reminder.", "Set file reminders" : "Imposta promemoria per i file", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 File reminders**I\n\nImposta promemoria file.\n\nNota: per usare l'app `Promemoria file`, assicurati che l'app `Notifiche` sia installata e abilitata. L'app `Notifiche` fornisce le API necessarie per il corretto funzionamento dell'app `File reminders`.", "Set reminder for \"{fileName}\"" : "Imposta promemoria per \"{fileName}\"", - "Set reminder at custom date & time" : "Imposta promemoria per data personalizzata & ora", + "Reminder at custom date & time" : "Promemoria a data e ora personalizzate", "Clear reminder" : "Elimina promemoria", "Please choose a valid date & time" : "Si prega di scegliere una data valida & ora", "Reminder set for \"{fileName}\"" : "Promemoria impostato per \"{fileName}\"", @@ -20,7 +22,7 @@ OC.L10N.register( "Cancel" : "Annulla", "Set reminder" : "Imposta promemoria", "Reminder set" : "Promemoria impostato", - "Set custom reminder" : "Imposta promemoria personalizzato", + "Custom reminder" : "Promemoria personalizzato", "Later today" : "Più tardi oggi", "Set reminder for later today" : "Imposta promemoria per più tardi oggi", "Tomorrow" : "Domani", @@ -28,6 +30,10 @@ OC.L10N.register( "This weekend" : "Questo fine settimana", "Set reminder for this weekend" : "Imposta promemoria per questo fine settimana", "Next week" : "Settimana successiva", - "Set reminder for next week" : "Imposta promemoria per la prossima settimana" + "Set reminder for next week" : "Imposta promemoria per la prossima settimana", + "This files_reminder can work properly." : "Questo file_promemoria può funzionare correttamente.", + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "L'app files_reminder necessita dell'app notifiche per funzionare correttamente. È necessario abilitare le notifiche o disabilitare files_reminder.", + "Set reminder at custom date & time" : "Imposta promemoria per data personalizzata & ora", + "Set custom reminder" : "Imposta promemoria personalizzato" }, "nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/files_reminders/l10n/it.json b/apps/files_reminders/l10n/it.json index 4abc57179ab..193ff9393db 100644 --- a/apps/files_reminders/l10n/it.json +++ b/apps/files_reminders/l10n/it.json @@ -4,10 +4,12 @@ "View file" : "Visualizza file", "View folder" : "Visualizza cartella", "Files reminder" : "Files reminder", + "The \"files_reminders\" app can work properly." : "L'app \"files_reminders\" può funzionare correttamente.", + "The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "L'app \"files_reminders\" necessita dell'app di notifica per funzionare correttamente. È necessario abilitare le notifiche o disabilitare files_reminder.", "Set file reminders" : "Imposta promemoria per i file", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 File reminders**I\n\nImposta promemoria file.\n\nNota: per usare l'app `Promemoria file`, assicurati che l'app `Notifiche` sia installata e abilitata. L'app `Notifiche` fornisce le API necessarie per il corretto funzionamento dell'app `File reminders`.", "Set reminder for \"{fileName}\"" : "Imposta promemoria per \"{fileName}\"", - "Set reminder at custom date & time" : "Imposta promemoria per data personalizzata & ora", + "Reminder at custom date & time" : "Promemoria a data e ora personalizzate", "Clear reminder" : "Elimina promemoria", "Please choose a valid date & time" : "Si prega di scegliere una data valida & ora", "Reminder set for \"{fileName}\"" : "Promemoria impostato per \"{fileName}\"", @@ -18,7 +20,7 @@ "Cancel" : "Annulla", "Set reminder" : "Imposta promemoria", "Reminder set" : "Promemoria impostato", - "Set custom reminder" : "Imposta promemoria personalizzato", + "Custom reminder" : "Promemoria personalizzato", "Later today" : "Più tardi oggi", "Set reminder for later today" : "Imposta promemoria per più tardi oggi", "Tomorrow" : "Domani", @@ -26,6 +28,10 @@ "This weekend" : "Questo fine settimana", "Set reminder for this weekend" : "Imposta promemoria per questo fine settimana", "Next week" : "Settimana successiva", - "Set reminder for next week" : "Imposta promemoria per la prossima settimana" + "Set reminder for next week" : "Imposta promemoria per la prossima settimana", + "This files_reminder can work properly." : "Questo file_promemoria può funzionare correttamente.", + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "L'app files_reminder necessita dell'app notifiche per funzionare correttamente. È necessario abilitare le notifiche o disabilitare files_reminder.", + "Set reminder at custom date & time" : "Imposta promemoria per data personalizzata & ora", + "Set custom reminder" : "Imposta promemoria personalizzato" },"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_reminders/l10n/ja.js b/apps/files_reminders/l10n/ja.js index afe1b5d7371..8fb3cf19d7c 100644 --- a/apps/files_reminders/l10n/ja.js +++ b/apps/files_reminders/l10n/ja.js @@ -11,7 +11,6 @@ OC.L10N.register( "Set file reminders" : "ファイルのリマインダーを設定する", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 File reminders**\n\nファイルのリマインダーを設定します。\n\n注意:`File reminders`アプリを使用するには、`Notifications`アプリがインストールされ、有効になっていることを確認してください。Notifications` アプリは `File reminders` アプリが正しく動作するために必要な API を提供します。", "Set reminder for \"{fileName}\"" : "\"{fileName}\"のリマインダーを設定", - "Set reminder at custom date & time" : "カスタムした日付と時刻にリマインダーを設定", "Clear reminder" : "リマインダーをクリア", "Please choose a valid date & time" : "有効な日付と時間を選択してください。", "Reminder set for \"{fileName}\"" : "\"{fileName}\"のリマインダーを設定しました", @@ -22,7 +21,6 @@ OC.L10N.register( "Cancel" : "キャンセル", "Set reminder" : "リマインダーを設定", "Reminder set" : "リマインダーセット", - "Set custom reminder" : "カスタムリマインダーを設定する", "Later today" : "今日この後", "Set reminder for later today" : "今日中にリマインダーを設定する", "Tomorrow" : "明日", @@ -32,6 +30,8 @@ OC.L10N.register( "Next week" : "来週", "Set reminder for next week" : "来週のリマインダーを設定する", "This files_reminder can work properly." : "このfiles_reminderは正しく機能します。", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "files_reminderアプリが正しく動作するには、通知アプリが必要です。通知を有効にするか、files_reminderを無効にしてください。" + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "files_reminderアプリが正しく動作するには、通知アプリが必要です。通知を有効にするか、files_reminderを無効にしてください。", + "Set reminder at custom date & time" : "カスタムした日付と時刻にリマインダーを設定", + "Set custom reminder" : "カスタムリマインダーを設定する" }, "nplurals=1; plural=0;"); diff --git a/apps/files_reminders/l10n/ja.json b/apps/files_reminders/l10n/ja.json index ac55be0c78e..9bde1978bd2 100644 --- a/apps/files_reminders/l10n/ja.json +++ b/apps/files_reminders/l10n/ja.json @@ -9,7 +9,6 @@ "Set file reminders" : "ファイルのリマインダーを設定する", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 File reminders**\n\nファイルのリマインダーを設定します。\n\n注意:`File reminders`アプリを使用するには、`Notifications`アプリがインストールされ、有効になっていることを確認してください。Notifications` アプリは `File reminders` アプリが正しく動作するために必要な API を提供します。", "Set reminder for \"{fileName}\"" : "\"{fileName}\"のリマインダーを設定", - "Set reminder at custom date & time" : "カスタムした日付と時刻にリマインダーを設定", "Clear reminder" : "リマインダーをクリア", "Please choose a valid date & time" : "有効な日付と時間を選択してください。", "Reminder set for \"{fileName}\"" : "\"{fileName}\"のリマインダーを設定しました", @@ -20,7 +19,6 @@ "Cancel" : "キャンセル", "Set reminder" : "リマインダーを設定", "Reminder set" : "リマインダーセット", - "Set custom reminder" : "カスタムリマインダーを設定する", "Later today" : "今日この後", "Set reminder for later today" : "今日中にリマインダーを設定する", "Tomorrow" : "明日", @@ -30,6 +28,8 @@ "Next week" : "来週", "Set reminder for next week" : "来週のリマインダーを設定する", "This files_reminder can work properly." : "このfiles_reminderは正しく機能します。", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "files_reminderアプリが正しく動作するには、通知アプリが必要です。通知を有効にするか、files_reminderを無効にしてください。" + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "files_reminderアプリが正しく動作するには、通知アプリが必要です。通知を有効にするか、files_reminderを無効にしてください。", + "Set reminder at custom date & time" : "カスタムした日付と時刻にリマインダーを設定", + "Set custom reminder" : "カスタムリマインダーを設定する" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/ko.js b/apps/files_reminders/l10n/ko.js index b86f8c56bfc..a7efcbaee36 100644 --- a/apps/files_reminders/l10n/ko.js +++ b/apps/files_reminders/l10n/ko.js @@ -7,7 +7,6 @@ OC.L10N.register( "View folder" : "폴더 보기", "Set file reminders" : "파일 알림 설정", "Set reminder for \"{fileName}\"" : "\"{fileName}\"에 대한 알림 지정", - "Set reminder at custom date & time" : "알림 날짜와 시간을 직접 지정", "Clear reminder" : "알림 초기화", "Please choose a valid date & time" : "유효한 날짜와 시간을 지정하십시오", "Reminder set for \"{fileName}\"" : "\"{fileName}\"에 대한 알림 목록", @@ -16,7 +15,6 @@ OC.L10N.register( "We will remind you of this file" : "이 파일에 대해 알림을 드립니다", "Cancel" : "취소", "Set reminder" : "알림 설정", - "Set custom reminder" : "사용자 지정 알림 설정", "Later today" : "오늘 늦게", "Set reminder for later today" : "알림을 오늘 나중에 설정", "Tomorrow" : "내일", @@ -24,6 +22,8 @@ OC.L10N.register( "This weekend" : "이번 주말", "Set reminder for this weekend" : "알림을 주말로 설정", "Next week" : "다음주", - "Set reminder for next week" : "알림을 다음주로 설정" + "Set reminder for next week" : "알림을 다음주로 설정", + "Set reminder at custom date & time" : "알림 날짜와 시간을 직접 지정", + "Set custom reminder" : "사용자 지정 알림 설정" }, "nplurals=1; plural=0;"); diff --git a/apps/files_reminders/l10n/ko.json b/apps/files_reminders/l10n/ko.json index f644c0980b4..f7baea1e655 100644 --- a/apps/files_reminders/l10n/ko.json +++ b/apps/files_reminders/l10n/ko.json @@ -5,7 +5,6 @@ "View folder" : "폴더 보기", "Set file reminders" : "파일 알림 설정", "Set reminder for \"{fileName}\"" : "\"{fileName}\"에 대한 알림 지정", - "Set reminder at custom date & time" : "알림 날짜와 시간을 직접 지정", "Clear reminder" : "알림 초기화", "Please choose a valid date & time" : "유효한 날짜와 시간을 지정하십시오", "Reminder set for \"{fileName}\"" : "\"{fileName}\"에 대한 알림 목록", @@ -14,7 +13,6 @@ "We will remind you of this file" : "이 파일에 대해 알림을 드립니다", "Cancel" : "취소", "Set reminder" : "알림 설정", - "Set custom reminder" : "사용자 지정 알림 설정", "Later today" : "오늘 늦게", "Set reminder for later today" : "알림을 오늘 나중에 설정", "Tomorrow" : "내일", @@ -22,6 +20,8 @@ "This weekend" : "이번 주말", "Set reminder for this weekend" : "알림을 주말로 설정", "Next week" : "다음주", - "Set reminder for next week" : "알림을 다음주로 설정" + "Set reminder for next week" : "알림을 다음주로 설정", + "Set reminder at custom date & time" : "알림 날짜와 시간을 직접 지정", + "Set custom reminder" : "사용자 지정 알림 설정" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/lt_LT.js b/apps/files_reminders/l10n/lt_LT.js index 9feef6cd13e..69d97b6c96f 100644 --- a/apps/files_reminders/l10n/lt_LT.js +++ b/apps/files_reminders/l10n/lt_LT.js @@ -7,7 +7,6 @@ OC.L10N.register( "View folder" : "Rodyti aplanką", "Set file reminders" : "Nustatyti priminimus apie failus", "Set reminder for \"{fileName}\"" : "Nustatyti priminimą apie „{fileName}“", - "Set reminder at custom date & time" : "Nustatyti priminimą tinkintą datą ir laiką", "Clear reminder" : "Panaikinti priminimą", "Please choose a valid date & time" : "Pasirinkite tinkamą datą ir laiką", "Reminder set for \"{fileName}\"" : "Nustatytas priminimas apie „{fileName}“", @@ -18,7 +17,6 @@ OC.L10N.register( "Cancel" : "Atsisakyti", "Set reminder" : "Nustatyti priminimą", "Reminder set" : "Priminimas nustatytas", - "Set custom reminder" : "Nustatyti tinkintą priminimą", "Later today" : "Šiandien vėliau", "Set reminder for later today" : "Nustatyti priminimą šiandien vėliau", "Tomorrow" : "Rytoj", @@ -26,6 +24,8 @@ OC.L10N.register( "This weekend" : "Šį savaitgalį", "Set reminder for this weekend" : "Nustatyti priminimą šį savaitgalį", "Next week" : "Kitą savaitę", - "Set reminder for next week" : "Nustatyti priminimą kitą savaitę" + "Set reminder for next week" : "Nustatyti priminimą kitą savaitę", + "Set reminder at custom date & time" : "Nustatyti priminimą tinkintą datą ir laiką", + "Set custom reminder" : "Nustatyti tinkintą priminimą" }, "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_reminders/l10n/lt_LT.json b/apps/files_reminders/l10n/lt_LT.json index d4cf83567ff..912fa2d31b2 100644 --- a/apps/files_reminders/l10n/lt_LT.json +++ b/apps/files_reminders/l10n/lt_LT.json @@ -5,7 +5,6 @@ "View folder" : "Rodyti aplanką", "Set file reminders" : "Nustatyti priminimus apie failus", "Set reminder for \"{fileName}\"" : "Nustatyti priminimą apie „{fileName}“", - "Set reminder at custom date & time" : "Nustatyti priminimą tinkintą datą ir laiką", "Clear reminder" : "Panaikinti priminimą", "Please choose a valid date & time" : "Pasirinkite tinkamą datą ir laiką", "Reminder set for \"{fileName}\"" : "Nustatytas priminimas apie „{fileName}“", @@ -16,7 +15,6 @@ "Cancel" : "Atsisakyti", "Set reminder" : "Nustatyti priminimą", "Reminder set" : "Priminimas nustatytas", - "Set custom reminder" : "Nustatyti tinkintą priminimą", "Later today" : "Šiandien vėliau", "Set reminder for later today" : "Nustatyti priminimą šiandien vėliau", "Tomorrow" : "Rytoj", @@ -24,6 +22,8 @@ "This weekend" : "Šį savaitgalį", "Set reminder for this weekend" : "Nustatyti priminimą šį savaitgalį", "Next week" : "Kitą savaitę", - "Set reminder for next week" : "Nustatyti priminimą kitą savaitę" + "Set reminder for next week" : "Nustatyti priminimą kitą savaitę", + "Set reminder at custom date & time" : "Nustatyti priminimą tinkintą datą ir laiką", + "Set custom reminder" : "Nustatyti tinkintą priminimą" },"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_reminders/l10n/mk.js b/apps/files_reminders/l10n/mk.js index f604402aac2..d608e3c2781 100644 --- a/apps/files_reminders/l10n/mk.js +++ b/apps/files_reminders/l10n/mk.js @@ -7,7 +7,6 @@ OC.L10N.register( "View folder" : "Види папка", "Set file reminders" : "Постави потсетник на датотека", "Set reminder for \"{fileName}\"" : "Постави потсетник за \"{fileName}\"", - "Set reminder at custom date & time" : "Постави потсетник на прилагоден датум & време", "Clear reminder" : "Острани потсетник", "Please choose a valid date & time" : "Внесете валиден датум & време", "Reminder set for \"{fileName}\"" : "Поставен потсетник за \"{fileName}\"", @@ -15,7 +14,6 @@ OC.L10N.register( "Failed to clear reminder" : "Неуспешно остранување на потсетник", "Cancel" : "Откажи", "Set reminder" : "Постави потсетник", - "Set custom reminder" : "Постави прилагоден потсетник", "Later today" : "Денес покасно", "Set reminder for later today" : "Постави потсетник за денес покасно", "Tomorrow" : "Утре", @@ -23,6 +21,8 @@ OC.L10N.register( "This weekend" : "Овој викенд", "Set reminder for this weekend" : "Постави потсетник за овој викенд", "Next week" : "Следна недела", - "Set reminder for next week" : "Постави потсетник за наредната недела" + "Set reminder for next week" : "Постави потсетник за наредната недела", + "Set reminder at custom date & time" : "Постави потсетник на прилагоден датум & време", + "Set custom reminder" : "Постави прилагоден потсетник" }, "nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;"); diff --git a/apps/files_reminders/l10n/mk.json b/apps/files_reminders/l10n/mk.json index 602420aaad0..a1403cefe97 100644 --- a/apps/files_reminders/l10n/mk.json +++ b/apps/files_reminders/l10n/mk.json @@ -5,7 +5,6 @@ "View folder" : "Види папка", "Set file reminders" : "Постави потсетник на датотека", "Set reminder for \"{fileName}\"" : "Постави потсетник за \"{fileName}\"", - "Set reminder at custom date & time" : "Постави потсетник на прилагоден датум & време", "Clear reminder" : "Острани потсетник", "Please choose a valid date & time" : "Внесете валиден датум & време", "Reminder set for \"{fileName}\"" : "Поставен потсетник за \"{fileName}\"", @@ -13,7 +12,6 @@ "Failed to clear reminder" : "Неуспешно остранување на потсетник", "Cancel" : "Откажи", "Set reminder" : "Постави потсетник", - "Set custom reminder" : "Постави прилагоден потсетник", "Later today" : "Денес покасно", "Set reminder for later today" : "Постави потсетник за денес покасно", "Tomorrow" : "Утре", @@ -21,6 +19,8 @@ "This weekend" : "Овој викенд", "Set reminder for this weekend" : "Постави потсетник за овој викенд", "Next week" : "Следна недела", - "Set reminder for next week" : "Постави потсетник за наредната недела" + "Set reminder for next week" : "Постави потсетник за наредната недела", + "Set reminder at custom date & time" : "Постави потсетник на прилагоден датум & време", + "Set custom reminder" : "Постави прилагоден потсетник" },"pluralForm" :"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/nb.js b/apps/files_reminders/l10n/nb.js index a870c1eeab5..13c42a535d1 100644 --- a/apps/files_reminders/l10n/nb.js +++ b/apps/files_reminders/l10n/nb.js @@ -7,7 +7,6 @@ OC.L10N.register( "View folder" : "Vis mappe", "Set file reminders" : "Angi filpåminnelser", "Set reminder for \"{fileName}\"" : "Angi påminnelse for \"{fileName}\"", - "Set reminder at custom date & time" : "Still inn påminnelse til egendefinert dato og klokkeslett", "Clear reminder" : "Tydelig påminnelse", "Please choose a valid date & time" : "Vennligst velg en gyldig dato og tid", "Reminder set for \"{fileName}\"" : "Påminnelse satt for «{fileName}»", @@ -18,7 +17,6 @@ OC.L10N.register( "Cancel" : "Avbryt", "Set reminder" : "Angi påminnelse", "Reminder set" : "Påminnelse angitt", - "Set custom reminder" : "Angi egendefinert påminnelse", "Later today" : "Senere i dag", "Set reminder for later today" : "Sett påminnelse til senere i dag", "Tomorrow" : "I morgen", @@ -26,6 +24,8 @@ OC.L10N.register( "This weekend" : "Denne helgen", "Set reminder for this weekend" : "Sett påminnelse for denne helgen", "Next week" : "Neste uke", - "Set reminder for next week" : "Sett påminnelse for neste uke" + "Set reminder for next week" : "Sett påminnelse for neste uke", + "Set reminder at custom date & time" : "Still inn påminnelse til egendefinert dato og klokkeslett", + "Set custom reminder" : "Angi egendefinert påminnelse" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_reminders/l10n/nb.json b/apps/files_reminders/l10n/nb.json index b5d447b9bba..b6e7dbae2c8 100644 --- a/apps/files_reminders/l10n/nb.json +++ b/apps/files_reminders/l10n/nb.json @@ -5,7 +5,6 @@ "View folder" : "Vis mappe", "Set file reminders" : "Angi filpåminnelser", "Set reminder for \"{fileName}\"" : "Angi påminnelse for \"{fileName}\"", - "Set reminder at custom date & time" : "Still inn påminnelse til egendefinert dato og klokkeslett", "Clear reminder" : "Tydelig påminnelse", "Please choose a valid date & time" : "Vennligst velg en gyldig dato og tid", "Reminder set for \"{fileName}\"" : "Påminnelse satt for «{fileName}»", @@ -16,7 +15,6 @@ "Cancel" : "Avbryt", "Set reminder" : "Angi påminnelse", "Reminder set" : "Påminnelse angitt", - "Set custom reminder" : "Angi egendefinert påminnelse", "Later today" : "Senere i dag", "Set reminder for later today" : "Sett påminnelse til senere i dag", "Tomorrow" : "I morgen", @@ -24,6 +22,8 @@ "This weekend" : "Denne helgen", "Set reminder for this weekend" : "Sett påminnelse for denne helgen", "Next week" : "Neste uke", - "Set reminder for next week" : "Sett påminnelse for neste uke" + "Set reminder for next week" : "Sett påminnelse for neste uke", + "Set reminder at custom date & time" : "Still inn påminnelse til egendefinert dato og klokkeslett", + "Set custom reminder" : "Angi egendefinert påminnelse" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/pl.js b/apps/files_reminders/l10n/pl.js index b445c747d8c..133c9095016 100644 --- a/apps/files_reminders/l10n/pl.js +++ b/apps/files_reminders/l10n/pl.js @@ -7,7 +7,6 @@ OC.L10N.register( "View folder" : "Wyświetl katalog", "Set file reminders" : "Ustaw przypomnienia o plikach", "Set reminder for \"{fileName}\"" : "Ustaw przypomnienie dla \"{fileName}\"", - "Set reminder at custom date & time" : "Ustaw przypomnienie o własnej dacie i godzinie", "Clear reminder" : "Wyczyść przypomnienie", "Please choose a valid date & time" : "Wybierz prawidłową datę i godzinę", "Reminder set for \"{fileName}\"" : "Przypomnienie ustawione dla \"{fileName}\"", @@ -16,7 +15,6 @@ OC.L10N.register( "We will remind you of this file" : "Przypomnimy Tobie o tym pliku", "Cancel" : "Anuluj", "Set reminder" : "Ustaw przypomnienie", - "Set custom reminder" : "Ustaw niestandardowe przypomnienie", "Later today" : "Później dzisiaj", "Set reminder for later today" : "Ustaw przypomnienie na dzisiaj na późniejszy czas", "Tomorrow" : "Jutro", @@ -24,6 +22,8 @@ OC.L10N.register( "This weekend" : "W ten weekend", "Set reminder for this weekend" : "Ustaw przypomnienie na ten weekend", "Next week" : "Następny tydzień", - "Set reminder for next week" : "Ustaw przypomnienie na przyszły tydzień" + "Set reminder for next week" : "Ustaw przypomnienie na przyszły tydzień", + "Set reminder at custom date & time" : "Ustaw przypomnienie o własnej dacie i godzinie", + "Set custom reminder" : "Ustaw niestandardowe przypomnienie" }, "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_reminders/l10n/pl.json b/apps/files_reminders/l10n/pl.json index 4da58c55c4a..1cc94af73b8 100644 --- a/apps/files_reminders/l10n/pl.json +++ b/apps/files_reminders/l10n/pl.json @@ -5,7 +5,6 @@ "View folder" : "Wyświetl katalog", "Set file reminders" : "Ustaw przypomnienia o plikach", "Set reminder for \"{fileName}\"" : "Ustaw przypomnienie dla \"{fileName}\"", - "Set reminder at custom date & time" : "Ustaw przypomnienie o własnej dacie i godzinie", "Clear reminder" : "Wyczyść przypomnienie", "Please choose a valid date & time" : "Wybierz prawidłową datę i godzinę", "Reminder set for \"{fileName}\"" : "Przypomnienie ustawione dla \"{fileName}\"", @@ -14,7 +13,6 @@ "We will remind you of this file" : "Przypomnimy Tobie o tym pliku", "Cancel" : "Anuluj", "Set reminder" : "Ustaw przypomnienie", - "Set custom reminder" : "Ustaw niestandardowe przypomnienie", "Later today" : "Później dzisiaj", "Set reminder for later today" : "Ustaw przypomnienie na dzisiaj na późniejszy czas", "Tomorrow" : "Jutro", @@ -22,6 +20,8 @@ "This weekend" : "W ten weekend", "Set reminder for this weekend" : "Ustaw przypomnienie na ten weekend", "Next week" : "Następny tydzień", - "Set reminder for next week" : "Ustaw przypomnienie na przyszły tydzień" + "Set reminder for next week" : "Ustaw przypomnienie na przyszły tydzień", + "Set reminder at custom date & time" : "Ustaw przypomnienie o własnej dacie i godzinie", + "Set custom reminder" : "Ustaw niestandardowe przypomnienie" },"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_reminders/l10n/pt_BR.js b/apps/files_reminders/l10n/pt_BR.js index 4a53d5a06b9..ac662d677af 100644 --- a/apps/files_reminders/l10n/pt_BR.js +++ b/apps/files_reminders/l10n/pt_BR.js @@ -11,7 +11,6 @@ OC.L10N.register( "Set file reminders" : "Defina lembretes de arquivo", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Lembretes de arquivos** \n\nDefina lembretes de arquivos. \n\nObservação: para usar o aplicativo `Lembretes de arquivos`, certifique-se de que o aplicativo `Notificações` esteja instalado e habilitado. O aplicativo `Notificações` fornece as APIs necessárias para que o aplicativo `Lembretes de arquivos` funcione corretamente.", "Set reminder for \"{fileName}\"" : "Definir lembrete para \"{fileName}\"", - "Set reminder at custom date & time" : "Definir lembrete em data & hora customizada", "Clear reminder" : "Limpar lembrete", "Please choose a valid date & time" : "Por favor escolha uma data & hora válida.", "Reminder set for \"{fileName}\"" : "Lembrete definido para \"{fileName}\"", @@ -22,7 +21,6 @@ OC.L10N.register( "Cancel" : "Cancelar", "Set reminder" : "Definir lembrete", "Reminder set" : "Lembrete definido", - "Set custom reminder" : "Definir lembrete personalizado", "Later today" : "Hoje mais tarde", "Set reminder for later today" : "Definir lembrete para hoje mais tarde", "Tomorrow" : "Amanhã", @@ -32,6 +30,8 @@ OC.L10N.register( "Next week" : "Próxima semana", "Set reminder for next week" : "Definir lembrete para a próxima semana", "This files_reminder can work properly." : "Este files_reminder pode funcionar corretamente.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "O aplicativo files_reminder precisa do aplicativo de notificações para funcionar corretamente. Você deve ativar notificações ou desativar o files_reminder." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "O aplicativo files_reminder precisa do aplicativo de notificações para funcionar corretamente. Você deve ativar notificações ou desativar o files_reminder.", + "Set reminder at custom date & time" : "Definir lembrete em data & hora customizada", + "Set custom reminder" : "Definir lembrete personalizado" }, "nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"); diff --git a/apps/files_reminders/l10n/pt_BR.json b/apps/files_reminders/l10n/pt_BR.json index a0c29094522..d4a04ec5eec 100644 --- a/apps/files_reminders/l10n/pt_BR.json +++ b/apps/files_reminders/l10n/pt_BR.json @@ -9,7 +9,6 @@ "Set file reminders" : "Defina lembretes de arquivo", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Lembretes de arquivos** \n\nDefina lembretes de arquivos. \n\nObservação: para usar o aplicativo `Lembretes de arquivos`, certifique-se de que o aplicativo `Notificações` esteja instalado e habilitado. O aplicativo `Notificações` fornece as APIs necessárias para que o aplicativo `Lembretes de arquivos` funcione corretamente.", "Set reminder for \"{fileName}\"" : "Definir lembrete para \"{fileName}\"", - "Set reminder at custom date & time" : "Definir lembrete em data & hora customizada", "Clear reminder" : "Limpar lembrete", "Please choose a valid date & time" : "Por favor escolha uma data & hora válida.", "Reminder set for \"{fileName}\"" : "Lembrete definido para \"{fileName}\"", @@ -20,7 +19,6 @@ "Cancel" : "Cancelar", "Set reminder" : "Definir lembrete", "Reminder set" : "Lembrete definido", - "Set custom reminder" : "Definir lembrete personalizado", "Later today" : "Hoje mais tarde", "Set reminder for later today" : "Definir lembrete para hoje mais tarde", "Tomorrow" : "Amanhã", @@ -30,6 +28,8 @@ "Next week" : "Próxima semana", "Set reminder for next week" : "Definir lembrete para a próxima semana", "This files_reminder can work properly." : "Este files_reminder pode funcionar corretamente.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "O aplicativo files_reminder precisa do aplicativo de notificações para funcionar corretamente. Você deve ativar notificações ou desativar o files_reminder." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "O aplicativo files_reminder precisa do aplicativo de notificações para funcionar corretamente. Você deve ativar notificações ou desativar o files_reminder.", + "Set reminder at custom date & time" : "Definir lembrete em data & hora customizada", + "Set custom reminder" : "Definir lembrete personalizado" },"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_reminders/l10n/ro.js b/apps/files_reminders/l10n/ro.js index 9f556c778b4..016c87ca66f 100644 --- a/apps/files_reminders/l10n/ro.js +++ b/apps/files_reminders/l10n/ro.js @@ -7,7 +7,6 @@ OC.L10N.register( "View folder" : "Vezi dosarul", "Set file reminders" : "Setează memo pentru fișier", "Set reminder for \"{fileName}\"" : "Setează memento pentru \"{fileName}\"", - "Set reminder at custom date & time" : "Setează memento la o dată și oră particulare", "Clear reminder" : "Șterge memento", "Please choose a valid date & time" : "Selectați o dată și o oră valide", "Reminder set for \"{fileName}\"" : "Memento setat pentru \"{fileName}\"", @@ -16,7 +15,6 @@ OC.L10N.register( "We will remind you of this file" : "Vă vom reaminti despre acest fișier", "Cancel" : "Anulare", "Set reminder" : "Setează memo", - "Set custom reminder" : "Setează memento particular", "Later today" : "Mai târziu în cursul zilei", "Set reminder for later today" : "Setează memo pentru azi, mai târziu", "Tomorrow" : "Mâine", @@ -24,6 +22,8 @@ OC.L10N.register( "This weekend" : "În acest weekend", "Set reminder for this weekend" : "Setează memo pentru acest weekend", "Next week" : "Saptămâna următoare", - "Set reminder for next week" : "Setează memo pentru săptămâna viitoare" + "Set reminder for next week" : "Setează memo pentru săptămâna viitoare", + "Set reminder at custom date & time" : "Setează memento la o dată și oră particulare", + "Set custom reminder" : "Setează memento particular" }, "nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));"); diff --git a/apps/files_reminders/l10n/ro.json b/apps/files_reminders/l10n/ro.json index e9806715c01..9d0b51fbaa6 100644 --- a/apps/files_reminders/l10n/ro.json +++ b/apps/files_reminders/l10n/ro.json @@ -5,7 +5,6 @@ "View folder" : "Vezi dosarul", "Set file reminders" : "Setează memo pentru fișier", "Set reminder for \"{fileName}\"" : "Setează memento pentru \"{fileName}\"", - "Set reminder at custom date & time" : "Setează memento la o dată și oră particulare", "Clear reminder" : "Șterge memento", "Please choose a valid date & time" : "Selectați o dată și o oră valide", "Reminder set for \"{fileName}\"" : "Memento setat pentru \"{fileName}\"", @@ -14,7 +13,6 @@ "We will remind you of this file" : "Vă vom reaminti despre acest fișier", "Cancel" : "Anulare", "Set reminder" : "Setează memo", - "Set custom reminder" : "Setează memento particular", "Later today" : "Mai târziu în cursul zilei", "Set reminder for later today" : "Setează memo pentru azi, mai târziu", "Tomorrow" : "Mâine", @@ -22,6 +20,8 @@ "This weekend" : "În acest weekend", "Set reminder for this weekend" : "Setează memo pentru acest weekend", "Next week" : "Saptămâna următoare", - "Set reminder for next week" : "Setează memo pentru săptămâna viitoare" + "Set reminder for next week" : "Setează memo pentru săptămâna viitoare", + "Set reminder at custom date & time" : "Setează memento la o dată și oră particulare", + "Set custom reminder" : "Setează memento particular" },"pluralForm" :"nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/ru.js b/apps/files_reminders/l10n/ru.js index 4a71764d75a..c2c17dce06c 100644 --- a/apps/files_reminders/l10n/ru.js +++ b/apps/files_reminders/l10n/ru.js @@ -8,7 +8,6 @@ OC.L10N.register( "Set file reminders" : "Установить напоминания о файлах", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣Напоминания о файлах**\n\nУстановите напоминания о файлах.\n\nПримечание: чтобы использовать приложение \"Напоминания о файлах\", убедитесь, что приложение \"Уведомления\" установлено и включено. Приложение \"Уведомления\" предоставляет необходимые API-интерфейсы для правильной работы приложения \"Напоминания о файлах\".", "Set reminder for \"{fileName}\"" : "Установить напоминание для \"{fileName}\"", - "Set reminder at custom date & time" : "Установить напоминание на индивидуальную дату и время", "Clear reminder" : "Очистить напоминание", "Please choose a valid date & time" : "Пожалуйста, выберите правильную дату и время", "Reminder set for \"{fileName}\"" : "Напоминание для \"{fileName}\"", @@ -19,7 +18,6 @@ OC.L10N.register( "Cancel" : "Отмена", "Set reminder" : "Установить напоминание", "Reminder set" : "Установить напоминание", - "Set custom reminder" : "Установить особое напоминание", "Later today" : "Позже сегодня", "Set reminder for later today" : "Установить напоминание позднее сегодня", "Tomorrow" : "Завтра", @@ -27,6 +25,8 @@ OC.L10N.register( "This weekend" : "Эта неделя", "Set reminder for this weekend" : "Установить напоминание на эти выходные", "Next week" : "Следующая неделя", - "Set reminder for next week" : "Установить напоминание на следующую неделю" + "Set reminder for next week" : "Установить напоминание на следующую неделю", + "Set reminder at custom date & time" : "Установить напоминание на индивидуальную дату и время", + "Set custom reminder" : "Установить особое напоминание" }, "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_reminders/l10n/ru.json b/apps/files_reminders/l10n/ru.json index a042acfb2ee..9dab1fd734e 100644 --- a/apps/files_reminders/l10n/ru.json +++ b/apps/files_reminders/l10n/ru.json @@ -6,7 +6,6 @@ "Set file reminders" : "Установить напоминания о файлах", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣Напоминания о файлах**\n\nУстановите напоминания о файлах.\n\nПримечание: чтобы использовать приложение \"Напоминания о файлах\", убедитесь, что приложение \"Уведомления\" установлено и включено. Приложение \"Уведомления\" предоставляет необходимые API-интерфейсы для правильной работы приложения \"Напоминания о файлах\".", "Set reminder for \"{fileName}\"" : "Установить напоминание для \"{fileName}\"", - "Set reminder at custom date & time" : "Установить напоминание на индивидуальную дату и время", "Clear reminder" : "Очистить напоминание", "Please choose a valid date & time" : "Пожалуйста, выберите правильную дату и время", "Reminder set for \"{fileName}\"" : "Напоминание для \"{fileName}\"", @@ -17,7 +16,6 @@ "Cancel" : "Отмена", "Set reminder" : "Установить напоминание", "Reminder set" : "Установить напоминание", - "Set custom reminder" : "Установить особое напоминание", "Later today" : "Позже сегодня", "Set reminder for later today" : "Установить напоминание позднее сегодня", "Tomorrow" : "Завтра", @@ -25,6 +23,8 @@ "This weekend" : "Эта неделя", "Set reminder for this weekend" : "Установить напоминание на эти выходные", "Next week" : "Следующая неделя", - "Set reminder for next week" : "Установить напоминание на следующую неделю" + "Set reminder for next week" : "Установить напоминание на следующую неделю", + "Set reminder at custom date & time" : "Установить напоминание на индивидуальную дату и время", + "Set custom reminder" : "Установить особое напоминание" },"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_reminders/l10n/sk.js b/apps/files_reminders/l10n/sk.js index 1a960169e6d..5adaedefa15 100644 --- a/apps/files_reminders/l10n/sk.js +++ b/apps/files_reminders/l10n/sk.js @@ -8,7 +8,6 @@ OC.L10N.register( "Set file reminders" : "Nastaviť pripomienky súborov", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Pripomienky súborov**\n\nNastavte pripomienky súborov.\n\nPoznámka: Ak chcete použiť aplikáciu „Pripomienky súborov“, uistite sa, že je nainštalovaná a povolená aplikácia „Upozornenia“. Aplikácia „Upozornenia“ poskytuje potrebné rozhrania API, aby aplikácia „Pripomienky súborov“ fungovala správne.", "Set reminder for \"{fileName}\"" : "Nastaviť pripomienku pre \"{fileName}\"", - "Set reminder at custom date & time" : "Nastaviť pripomienku na vlastn dátum a čas", "Clear reminder" : "Vymazať pripomienku", "Please choose a valid date & time" : "Prosím, vyberte platný dátum a čas", "Reminder set for \"{fileName}\"" : "Pripomienka nastavená pre \"{fileName}\"", @@ -19,7 +18,6 @@ OC.L10N.register( "Cancel" : "Zrušiť", "Set reminder" : "Nastaviť pripomienku", "Reminder set" : "Pripomienka bola nastavená", - "Set custom reminder" : "Nastaviť vlastnú pripomienku", "Later today" : "Neskôr dnes", "Set reminder for later today" : "Nastaviť pripomienku na dnes-neskôr.", "Tomorrow" : "Zajtra", @@ -27,6 +25,8 @@ OC.L10N.register( "This weekend" : "Tento víkend", "Set reminder for this weekend" : "Nastaviť pripomienku na tento víkend", "Next week" : "Nasledujúci týždeň", - "Set reminder for next week" : "Nastaviť pripomienku na budúci týždeň" + "Set reminder for next week" : "Nastaviť pripomienku na budúci týždeň", + "Set reminder at custom date & time" : "Nastaviť pripomienku na vlastn dátum a čas", + "Set custom reminder" : "Nastaviť vlastnú pripomienku" }, "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_reminders/l10n/sk.json b/apps/files_reminders/l10n/sk.json index f25f6ba45ca..c048fbfc050 100644 --- a/apps/files_reminders/l10n/sk.json +++ b/apps/files_reminders/l10n/sk.json @@ -6,7 +6,6 @@ "Set file reminders" : "Nastaviť pripomienky súborov", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Pripomienky súborov**\n\nNastavte pripomienky súborov.\n\nPoznámka: Ak chcete použiť aplikáciu „Pripomienky súborov“, uistite sa, že je nainštalovaná a povolená aplikácia „Upozornenia“. Aplikácia „Upozornenia“ poskytuje potrebné rozhrania API, aby aplikácia „Pripomienky súborov“ fungovala správne.", "Set reminder for \"{fileName}\"" : "Nastaviť pripomienku pre \"{fileName}\"", - "Set reminder at custom date & time" : "Nastaviť pripomienku na vlastn dátum a čas", "Clear reminder" : "Vymazať pripomienku", "Please choose a valid date & time" : "Prosím, vyberte platný dátum a čas", "Reminder set for \"{fileName}\"" : "Pripomienka nastavená pre \"{fileName}\"", @@ -17,7 +16,6 @@ "Cancel" : "Zrušiť", "Set reminder" : "Nastaviť pripomienku", "Reminder set" : "Pripomienka bola nastavená", - "Set custom reminder" : "Nastaviť vlastnú pripomienku", "Later today" : "Neskôr dnes", "Set reminder for later today" : "Nastaviť pripomienku na dnes-neskôr.", "Tomorrow" : "Zajtra", @@ -25,6 +23,8 @@ "This weekend" : "Tento víkend", "Set reminder for this weekend" : "Nastaviť pripomienku na tento víkend", "Next week" : "Nasledujúci týždeň", - "Set reminder for next week" : "Nastaviť pripomienku na budúci týždeň" + "Set reminder for next week" : "Nastaviť pripomienku na budúci týždeň", + "Set reminder at custom date & time" : "Nastaviť pripomienku na vlastn dátum a čas", + "Set custom reminder" : "Nastaviť vlastnú pripomienku" },"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_reminders/l10n/sr.js b/apps/files_reminders/l10n/sr.js index 16a5e203a91..bbf5bbb77d0 100644 --- a/apps/files_reminders/l10n/sr.js +++ b/apps/files_reminders/l10n/sr.js @@ -11,7 +11,6 @@ OC.L10N.register( "Set file reminders" : "Постави подсетнике о фајлу", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Фајл подсетници**\n\nПоставите фајл подсетнике.\n\nНапомена: ако желите да користите апликацију `Фајл подсетници`, обезбедите да је инсталирана и укључена апликација `Обавештења`. Апликација `Обавештења` обезбеђује неопходне API-је уз чију помоћ апликација `Фајл подестници` функционише како треба.", "Set reminder for \"{fileName}\"" : "Постави подсетник за „{fileName}”", - "Set reminder at custom date & time" : "Постави подсетник на произвољни датум и време", "Clear reminder" : "Обриши подсетник", "Please choose a valid date & time" : "Молимо вас да изаберете исправни датум и време", "Reminder set for \"{fileName}\"" : "Подсетник је постављен за „{fileName}”", @@ -22,7 +21,6 @@ OC.L10N.register( "Cancel" : "Откажи", "Set reminder" : "Постави подсетник", "Reminder set" : "Подсетник је постављен", - "Set custom reminder" : "Постави произвољни подсетник", "Later today" : "Касније данас", "Set reminder for later today" : "Поставља подсетник за касније данас", "Tomorrow" : "Сутра", @@ -32,6 +30,8 @@ OC.L10N.register( "Next week" : "Наредне недеље", "Set reminder for next week" : "Поставља подсетник за наредну недељу", "This files_reminder can work properly." : "Овај files_reminder може да ради како треба.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Да би files_reminder апликација радила како треба, потребна је апликација обавештења. Требало би или да укључите обавештења, или да искључите files_reminder." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Да би files_reminder апликација радила како треба, потребна је апликација обавештења. Требало би или да укључите обавештења, или да искључите files_reminder.", + "Set reminder at custom date & time" : "Постави подсетник на произвољни датум и време", + "Set custom reminder" : "Постави произвољни подсетник" }, "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_reminders/l10n/sr.json b/apps/files_reminders/l10n/sr.json index 8651326f26f..edc15226645 100644 --- a/apps/files_reminders/l10n/sr.json +++ b/apps/files_reminders/l10n/sr.json @@ -9,7 +9,6 @@ "Set file reminders" : "Постави подсетнике о фајлу", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Фајл подсетници**\n\nПоставите фајл подсетнике.\n\nНапомена: ако желите да користите апликацију `Фајл подсетници`, обезбедите да је инсталирана и укључена апликација `Обавештења`. Апликација `Обавештења` обезбеђује неопходне API-је уз чију помоћ апликација `Фајл подестници` функционише како треба.", "Set reminder for \"{fileName}\"" : "Постави подсетник за „{fileName}”", - "Set reminder at custom date & time" : "Постави подсетник на произвољни датум и време", "Clear reminder" : "Обриши подсетник", "Please choose a valid date & time" : "Молимо вас да изаберете исправни датум и време", "Reminder set for \"{fileName}\"" : "Подсетник је постављен за „{fileName}”", @@ -20,7 +19,6 @@ "Cancel" : "Откажи", "Set reminder" : "Постави подсетник", "Reminder set" : "Подсетник је постављен", - "Set custom reminder" : "Постави произвољни подсетник", "Later today" : "Касније данас", "Set reminder for later today" : "Поставља подсетник за касније данас", "Tomorrow" : "Сутра", @@ -30,6 +28,8 @@ "Next week" : "Наредне недеље", "Set reminder for next week" : "Поставља подсетник за наредну недељу", "This files_reminder can work properly." : "Овај files_reminder може да ради како треба.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Да би files_reminder апликација радила како треба, потребна је апликација обавештења. Требало би или да укључите обавештења, или да искључите files_reminder." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Да би files_reminder апликација радила како треба, потребна је апликација обавештења. Требало би или да укључите обавештења, или да искључите files_reminder.", + "Set reminder at custom date & time" : "Постави подсетник на произвољни датум и време", + "Set custom reminder" : "Постави произвољни подсетник" },"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_reminders/l10n/sv.js b/apps/files_reminders/l10n/sv.js index a468a56cfef..c23bf99a29e 100644 --- a/apps/files_reminders/l10n/sv.js +++ b/apps/files_reminders/l10n/sv.js @@ -11,7 +11,6 @@ OC.L10N.register( "Set file reminders" : "Ställ in filpåminnelser", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Filpåminnelser**\n\nStäll in påminnelser för filer.\n\nObs: För att använda appen `Filpåminnelser` måste du se till att appen `Aviseringar` är installerad och aktiverad. Appen `Aviseringar` tillhandahåller de nödvändiga API:erna för att appen `File reminders` ska fungera korrekt.", "Set reminder for \"{fileName}\"" : "Ställ in påminnelse för \"{fileName}\"", - "Set reminder at custom date & time" : "Ställ in påminnelse vid anpassat datum och tid", "Clear reminder" : "Rensa påminnelse", "Please choose a valid date & time" : "Välj ett giltigt datum och tid", "Reminder set for \"{fileName}\"" : "Påminnelse inställd för \"{fileName}\"", @@ -22,7 +21,6 @@ OC.L10N.register( "Cancel" : "Avbryt", "Set reminder" : "Ställ in påminnelse", "Reminder set" : "Påminnelse inställd", - "Set custom reminder" : "Ställ in anpassad påminnelse", "Later today" : "Senare idag", "Set reminder for later today" : "Ställ in påminnelse för senare idag", "Tomorrow" : "I morgon", @@ -32,6 +30,8 @@ OC.L10N.register( "Next week" : "Nästa vecka", "Set reminder for next week" : "Ställ in påminnelse för nästa vecka", "This files_reminder can work properly." : "Den här filpåminnelsen kan fungera korrekt.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Appen files_reminder behöver notification appen för att fungera korrekt. Du bör antingen aktivera aviseringar eller inaktivera files_reminder." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Appen files_reminder behöver notification appen för att fungera korrekt. Du bör antingen aktivera aviseringar eller inaktivera files_reminder.", + "Set reminder at custom date & time" : "Ställ in påminnelse vid anpassat datum och tid", + "Set custom reminder" : "Ställ in anpassad påminnelse" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_reminders/l10n/sv.json b/apps/files_reminders/l10n/sv.json index 53c9dce54b4..e4d4859d283 100644 --- a/apps/files_reminders/l10n/sv.json +++ b/apps/files_reminders/l10n/sv.json @@ -9,7 +9,6 @@ "Set file reminders" : "Ställ in filpåminnelser", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Filpåminnelser**\n\nStäll in påminnelser för filer.\n\nObs: För att använda appen `Filpåminnelser` måste du se till att appen `Aviseringar` är installerad och aktiverad. Appen `Aviseringar` tillhandahåller de nödvändiga API:erna för att appen `File reminders` ska fungera korrekt.", "Set reminder for \"{fileName}\"" : "Ställ in påminnelse för \"{fileName}\"", - "Set reminder at custom date & time" : "Ställ in påminnelse vid anpassat datum och tid", "Clear reminder" : "Rensa påminnelse", "Please choose a valid date & time" : "Välj ett giltigt datum och tid", "Reminder set for \"{fileName}\"" : "Påminnelse inställd för \"{fileName}\"", @@ -20,7 +19,6 @@ "Cancel" : "Avbryt", "Set reminder" : "Ställ in påminnelse", "Reminder set" : "Påminnelse inställd", - "Set custom reminder" : "Ställ in anpassad påminnelse", "Later today" : "Senare idag", "Set reminder for later today" : "Ställ in påminnelse för senare idag", "Tomorrow" : "I morgon", @@ -30,6 +28,8 @@ "Next week" : "Nästa vecka", "Set reminder for next week" : "Ställ in påminnelse för nästa vecka", "This files_reminder can work properly." : "Den här filpåminnelsen kan fungera korrekt.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Appen files_reminder behöver notification appen för att fungera korrekt. Du bör antingen aktivera aviseringar eller inaktivera files_reminder." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Appen files_reminder behöver notification appen för att fungera korrekt. Du bör antingen aktivera aviseringar eller inaktivera files_reminder.", + "Set reminder at custom date & time" : "Ställ in påminnelse vid anpassat datum och tid", + "Set custom reminder" : "Ställ in anpassad påminnelse" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/sw.js b/apps/files_reminders/l10n/sw.js index 92d9d55fb40..8601ada818d 100644 --- a/apps/files_reminders/l10n/sw.js +++ b/apps/files_reminders/l10n/sw.js @@ -11,7 +11,6 @@ OC.L10N.register( "Set file reminders" : "Weka vikumbusho vya faili", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Vikumbusho vya faili**\n\nWeka vikumbusho vya faili.\n\nKumbuka: ili kutumia programu ya `Vikumbusho vya faili`, hakikisha kuwa programu ya `Arifa` imesakinishwa na kuwashwa. Programu ya `Arifa` hutoa API zinazohitajika ili programu ya `Vikumbusho vya Faili` ifanye kazi ipasavyo.", "Set reminder for \"{fileName}\"" : "Weka kikumbusho kwa \"{fileName}\"", - "Set reminder at custom date & time" : "Weka kikumbusho kwa tarehe na saa maalum", "Clear reminder" : "Futa kikumbusho ", "Please choose a valid date & time" : " Tafadhali chagua tarehe na saa halali", "Reminder set for \"{fileName}\"" : " Kikumbusho kimewekwa \"{fileName}\"", @@ -22,7 +21,6 @@ OC.L10N.register( "Cancel" : "Ghairi", "Set reminder" : "Weka ukumbusho", "Reminder set" : " Kikumbusho kimewekwa", - "Set custom reminder" : " Weka kikumbusho maalum", "Later today" : "Baadaye leo", "Set reminder for later today" : "Weka kikumbusho cha baadaye leo", "Tomorrow" : "Kesho", @@ -32,6 +30,8 @@ OC.L10N.register( "Next week" : "Wiki ijayo", "Set reminder for next week" : " Weka kikumbusho cha wiki ijayo", "This files_reminder can work properly." : " Kikumbusho hiki cha faili kinaweza kufanya kazi vizuri.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Programu ya kikumbusho cha faili inahitaji programu ya arifa kufanya kazi vizuri. Unapaswa kuwezesha arifa au kuzima kikumbusho cha faili" + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Programu ya kikumbusho cha faili inahitaji programu ya arifa kufanya kazi vizuri. Unapaswa kuwezesha arifa au kuzima kikumbusho cha faili", + "Set reminder at custom date & time" : "Weka kikumbusho kwa tarehe na saa maalum", + "Set custom reminder" : " Weka kikumbusho maalum" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_reminders/l10n/sw.json b/apps/files_reminders/l10n/sw.json index 35a3f951171..5312ae5063a 100644 --- a/apps/files_reminders/l10n/sw.json +++ b/apps/files_reminders/l10n/sw.json @@ -9,7 +9,6 @@ "Set file reminders" : "Weka vikumbusho vya faili", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Vikumbusho vya faili**\n\nWeka vikumbusho vya faili.\n\nKumbuka: ili kutumia programu ya `Vikumbusho vya faili`, hakikisha kuwa programu ya `Arifa` imesakinishwa na kuwashwa. Programu ya `Arifa` hutoa API zinazohitajika ili programu ya `Vikumbusho vya Faili` ifanye kazi ipasavyo.", "Set reminder for \"{fileName}\"" : "Weka kikumbusho kwa \"{fileName}\"", - "Set reminder at custom date & time" : "Weka kikumbusho kwa tarehe na saa maalum", "Clear reminder" : "Futa kikumbusho ", "Please choose a valid date & time" : " Tafadhali chagua tarehe na saa halali", "Reminder set for \"{fileName}\"" : " Kikumbusho kimewekwa \"{fileName}\"", @@ -20,7 +19,6 @@ "Cancel" : "Ghairi", "Set reminder" : "Weka ukumbusho", "Reminder set" : " Kikumbusho kimewekwa", - "Set custom reminder" : " Weka kikumbusho maalum", "Later today" : "Baadaye leo", "Set reminder for later today" : "Weka kikumbusho cha baadaye leo", "Tomorrow" : "Kesho", @@ -30,6 +28,8 @@ "Next week" : "Wiki ijayo", "Set reminder for next week" : " Weka kikumbusho cha wiki ijayo", "This files_reminder can work properly." : " Kikumbusho hiki cha faili kinaweza kufanya kazi vizuri.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Programu ya kikumbusho cha faili inahitaji programu ya arifa kufanya kazi vizuri. Unapaswa kuwezesha arifa au kuzima kikumbusho cha faili" + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Programu ya kikumbusho cha faili inahitaji programu ya arifa kufanya kazi vizuri. Unapaswa kuwezesha arifa au kuzima kikumbusho cha faili", + "Set reminder at custom date & time" : "Weka kikumbusho kwa tarehe na saa maalum", + "Set custom reminder" : " Weka kikumbusho maalum" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/tr.js b/apps/files_reminders/l10n/tr.js index fed3ae46385..f505359fcc6 100644 --- a/apps/files_reminders/l10n/tr.js +++ b/apps/files_reminders/l10n/tr.js @@ -11,7 +11,6 @@ OC.L10N.register( "Set file reminders" : "Dosya anımsatıcıları ayarla", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Dosya anımsatıcıları**\n\nDosya anımsatıcıları ayarlayın.\n\nNot: `Dosya anımsatıcıları` uygulamasını kullanmak için `Bildirimler` uygulamasının kurulmuş ve etkinleştirilmiş olduğundan emin olun. `Bildirimler` uygulaması `Dosya anımsatıcıları` uygulamasının doğru çalışması için gerekli API uygulamalarını sağlar.", "Set reminder for \"{fileName}\"" : "\"{fileName}\" için anımsatıcı ayarla", - "Set reminder at custom date & time" : "Özel bir tarih ve saat için anımsatıcı ayarla", "Clear reminder" : "Anımsatıcıyı temizle", "Please choose a valid date & time" : "Lütfen geçerli bir tarih ve saat seçin", "Reminder set for \"{fileName}\"" : "\"{fileName}\" için anımsatıcı ayarlandı", @@ -22,7 +21,6 @@ OC.L10N.register( "Cancel" : "İptal", "Set reminder" : "Anımsatıcı ayarla", "Reminder set" : "Anımsatıcı ayarlandı", - "Set custom reminder" : "Özel anımsatıcı ayarla", "Later today" : "Bugün daha sonra", "Set reminder for later today" : "Bugün daha sonrası için anımsatıcı ayarla", "Tomorrow" : "Yarın", @@ -32,6 +30,8 @@ OC.L10N.register( "Next week" : "Sonraki hafta", "Set reminder for next week" : "Gelecek hafta için anımsatıcı ayarla", "This files_reminder can work properly." : "Bu files_reminder düzgün çalışabilir.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "files_reminders uygulamasının düzgün çalışması için Bildirimler uygulaması gereklidir. Bildirimler uygulamasını kullanıma alın ya da files_reminder uygulamasını kullanımdan kaldırın." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "files_reminders uygulamasının düzgün çalışması için Bildirimler uygulaması gereklidir. Bildirimler uygulamasını kullanıma alın ya da files_reminder uygulamasını kullanımdan kaldırın.", + "Set reminder at custom date & time" : "Özel bir tarih ve saat için anımsatıcı ayarla", + "Set custom reminder" : "Özel anımsatıcı ayarla" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/files_reminders/l10n/tr.json b/apps/files_reminders/l10n/tr.json index 3a8f47edce7..86fa6b31e0c 100644 --- a/apps/files_reminders/l10n/tr.json +++ b/apps/files_reminders/l10n/tr.json @@ -9,7 +9,6 @@ "Set file reminders" : "Dosya anımsatıcıları ayarla", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Dosya anımsatıcıları**\n\nDosya anımsatıcıları ayarlayın.\n\nNot: `Dosya anımsatıcıları` uygulamasını kullanmak için `Bildirimler` uygulamasının kurulmuş ve etkinleştirilmiş olduğundan emin olun. `Bildirimler` uygulaması `Dosya anımsatıcıları` uygulamasının doğru çalışması için gerekli API uygulamalarını sağlar.", "Set reminder for \"{fileName}\"" : "\"{fileName}\" için anımsatıcı ayarla", - "Set reminder at custom date & time" : "Özel bir tarih ve saat için anımsatıcı ayarla", "Clear reminder" : "Anımsatıcıyı temizle", "Please choose a valid date & time" : "Lütfen geçerli bir tarih ve saat seçin", "Reminder set for \"{fileName}\"" : "\"{fileName}\" için anımsatıcı ayarlandı", @@ -20,7 +19,6 @@ "Cancel" : "İptal", "Set reminder" : "Anımsatıcı ayarla", "Reminder set" : "Anımsatıcı ayarlandı", - "Set custom reminder" : "Özel anımsatıcı ayarla", "Later today" : "Bugün daha sonra", "Set reminder for later today" : "Bugün daha sonrası için anımsatıcı ayarla", "Tomorrow" : "Yarın", @@ -30,6 +28,8 @@ "Next week" : "Sonraki hafta", "Set reminder for next week" : "Gelecek hafta için anımsatıcı ayarla", "This files_reminder can work properly." : "Bu files_reminder düzgün çalışabilir.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "files_reminders uygulamasının düzgün çalışması için Bildirimler uygulaması gereklidir. Bildirimler uygulamasını kullanıma alın ya da files_reminder uygulamasını kullanımdan kaldırın." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "files_reminders uygulamasının düzgün çalışması için Bildirimler uygulaması gereklidir. Bildirimler uygulamasını kullanıma alın ya da files_reminder uygulamasını kullanımdan kaldırın.", + "Set reminder at custom date & time" : "Özel bir tarih ve saat için anımsatıcı ayarla", + "Set custom reminder" : "Özel anımsatıcı ayarla" },"pluralForm" :"nplurals=2; plural=(n > 1);" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/ug.js b/apps/files_reminders/l10n/ug.js index fac2a2b424c..f8a92883605 100644 --- a/apps/files_reminders/l10n/ug.js +++ b/apps/files_reminders/l10n/ug.js @@ -7,7 +7,6 @@ OC.L10N.register( "View folder" : "ھۆججەت قىسقۇچنى كۆرۈش", "Set file reminders" : "ھۆججەت ئەسكەرتىشلىرىنى بەلگىلەڭ", "Set reminder for \"{fileName}\"" : "\"{fileName}\" ئۈچۈن ئەسكەرتىش بەلگىلەڭ", - "Set reminder at custom date & time" : "ئىختىيارى چېسلا ۋە ۋاقىتتا ئەسكەرتىش بەلگىلەڭ", "Clear reminder" : "ئەسكەرتىش", "Please choose a valid date & time" : "ئىناۋەتلىك چېسلا ۋە ۋاقىتنى تاللاڭ", "Reminder set for \"{fileName}\"" : "\"{fileName}\" ئۈچۈن ئەسكەرتىش", @@ -18,7 +17,6 @@ OC.L10N.register( "Cancel" : "بىكار قىلىش", "Set reminder" : "ئەسكەرتىش بەلگىلەڭ", "Reminder set" : "ئەسكەرتىش", - "Set custom reminder" : "ئىختىيارى ئەسكەرتىش بەلگىلەڭ", "Later today" : "بۈگۈن بۈگۈن", "Set reminder for later today" : "بۈگۈنگە ئەسكەرتىش بەلگىلەڭ", "Tomorrow" : "ئەتە", @@ -26,6 +24,8 @@ OC.L10N.register( "This weekend" : "بۇ ھەپتە ئاخىرى", "Set reminder for this weekend" : "بۇ ھەپتە ئاخىرىدا ئەسكەرتىش بەلگىلەڭ", "Next week" : "كېلەر ھەپتە", - "Set reminder for next week" : "كېلەر ھەپتە ئەسكەرتىش بەلگىلەڭ" + "Set reminder for next week" : "كېلەر ھەپتە ئەسكەرتىش بەلگىلەڭ", + "Set reminder at custom date & time" : "ئىختىيارى چېسلا ۋە ۋاقىتتا ئەسكەرتىش بەلگىلەڭ", + "Set custom reminder" : "ئىختىيارى ئەسكەرتىش بەلگىلەڭ" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/files_reminders/l10n/ug.json b/apps/files_reminders/l10n/ug.json index 6d3afceb87f..a5c8e9f7553 100644 --- a/apps/files_reminders/l10n/ug.json +++ b/apps/files_reminders/l10n/ug.json @@ -5,7 +5,6 @@ "View folder" : "ھۆججەت قىسقۇچنى كۆرۈش", "Set file reminders" : "ھۆججەت ئەسكەرتىشلىرىنى بەلگىلەڭ", "Set reminder for \"{fileName}\"" : "\"{fileName}\" ئۈچۈن ئەسكەرتىش بەلگىلەڭ", - "Set reminder at custom date & time" : "ئىختىيارى چېسلا ۋە ۋاقىتتا ئەسكەرتىش بەلگىلەڭ", "Clear reminder" : "ئەسكەرتىش", "Please choose a valid date & time" : "ئىناۋەتلىك چېسلا ۋە ۋاقىتنى تاللاڭ", "Reminder set for \"{fileName}\"" : "\"{fileName}\" ئۈچۈن ئەسكەرتىش", @@ -16,7 +15,6 @@ "Cancel" : "بىكار قىلىش", "Set reminder" : "ئەسكەرتىش بەلگىلەڭ", "Reminder set" : "ئەسكەرتىش", - "Set custom reminder" : "ئىختىيارى ئەسكەرتىش بەلگىلەڭ", "Later today" : "بۈگۈن بۈگۈن", "Set reminder for later today" : "بۈگۈنگە ئەسكەرتىش بەلگىلەڭ", "Tomorrow" : "ئەتە", @@ -24,6 +22,8 @@ "This weekend" : "بۇ ھەپتە ئاخىرى", "Set reminder for this weekend" : "بۇ ھەپتە ئاخىرىدا ئەسكەرتىش بەلگىلەڭ", "Next week" : "كېلەر ھەپتە", - "Set reminder for next week" : "كېلەر ھەپتە ئەسكەرتىش بەلگىلەڭ" + "Set reminder for next week" : "كېلەر ھەپتە ئەسكەرتىش بەلگىلەڭ", + "Set reminder at custom date & time" : "ئىختىيارى چېسلا ۋە ۋاقىتتا ئەسكەرتىش بەلگىلەڭ", + "Set custom reminder" : "ئىختىيارى ئەسكەرتىش بەلگىلەڭ" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/uk.js b/apps/files_reminders/l10n/uk.js index a9bc88520bc..c66399959d3 100644 --- a/apps/files_reminders/l10n/uk.js +++ b/apps/files_reminders/l10n/uk.js @@ -11,7 +11,7 @@ OC.L10N.register( "Set file reminders" : "Встановити нагадування для файлу", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Нагадування про файли**\n\nВстановіть нагадування про файли.\n\nПримітка: щоб використовувати додаток «Нагадування про файли», переконайтеся, що додаток «Повідомлення» встановлено та увімкнено. Додаток «Повідомлення» надає необхідні API для коректної роботи додатка «Нагадування про файли».", "Set reminder for \"{fileName}\"" : "Встановити нагадування для \"{fileName}\"", - "Set reminder at custom date & time" : "Встановити нагадування на власну дату та час", + "Reminder at custom date & time" : "Нагадування в задану дату та час", "Clear reminder" : "Зняти нагадування", "Please choose a valid date & time" : "Виберіть дійсні дату та час", "Reminder set for \"{fileName}\"" : "Встановлено нагадування для \"{fileName}\"", @@ -22,7 +22,7 @@ OC.L10N.register( "Cancel" : "Скасувати", "Set reminder" : "Встановити нагадування", "Reminder set" : "Нагадування встановлено", - "Set custom reminder" : "Встановити власне нагадування", + "Custom reminder" : "Індивідуальне нагадування", "Later today" : "Пізніше сьогодні", "Set reminder for later today" : "Встановити нагадування на сьогодні пізніше", "Tomorrow" : "Завтра", @@ -32,6 +32,8 @@ OC.L10N.register( "Next week" : "Наступний тиждень", "Set reminder for next week" : "Встановити нагадування на наступний тиждень", "This files_reminder can work properly." : "Цей files_reminder може працювати належним чином.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Для нормальної роботи програми files_reminder необхідна програма сповіщень. Вам слід або увімкнути сповіщення, або вимкнути files_reminder." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Для нормальної роботи програми files_reminder необхідна програма сповіщень. Вам слід або увімкнути сповіщення, або вимкнути files_reminder.", + "Set reminder at custom date & time" : "Встановити нагадування на власну дату та час", + "Set custom reminder" : "Встановити власне нагадування" }, "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_reminders/l10n/uk.json b/apps/files_reminders/l10n/uk.json index 5bc997af508..d29c14318da 100644 --- a/apps/files_reminders/l10n/uk.json +++ b/apps/files_reminders/l10n/uk.json @@ -9,7 +9,7 @@ "Set file reminders" : "Встановити нагадування для файлу", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 Нагадування про файли**\n\nВстановіть нагадування про файли.\n\nПримітка: щоб використовувати додаток «Нагадування про файли», переконайтеся, що додаток «Повідомлення» встановлено та увімкнено. Додаток «Повідомлення» надає необхідні API для коректної роботи додатка «Нагадування про файли».", "Set reminder for \"{fileName}\"" : "Встановити нагадування для \"{fileName}\"", - "Set reminder at custom date & time" : "Встановити нагадування на власну дату та час", + "Reminder at custom date & time" : "Нагадування в задану дату та час", "Clear reminder" : "Зняти нагадування", "Please choose a valid date & time" : "Виберіть дійсні дату та час", "Reminder set for \"{fileName}\"" : "Встановлено нагадування для \"{fileName}\"", @@ -20,7 +20,7 @@ "Cancel" : "Скасувати", "Set reminder" : "Встановити нагадування", "Reminder set" : "Нагадування встановлено", - "Set custom reminder" : "Встановити власне нагадування", + "Custom reminder" : "Індивідуальне нагадування", "Later today" : "Пізніше сьогодні", "Set reminder for later today" : "Встановити нагадування на сьогодні пізніше", "Tomorrow" : "Завтра", @@ -30,6 +30,8 @@ "Next week" : "Наступний тиждень", "Set reminder for next week" : "Встановити нагадування на наступний тиждень", "This files_reminder can work properly." : "Цей files_reminder може працювати належним чином.", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Для нормальної роботи програми files_reminder необхідна програма сповіщень. Вам слід або увімкнути сповіщення, або вимкнути files_reminder." + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Для нормальної роботи програми files_reminder необхідна програма сповіщень. Вам слід або увімкнути сповіщення, або вимкнути files_reminder.", + "Set reminder at custom date & time" : "Встановити нагадування на власну дату та час", + "Set custom reminder" : "Встановити власне нагадування" },"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_reminders/l10n/zh_CN.js b/apps/files_reminders/l10n/zh_CN.js index 52e654b1f00..23c85d62838 100644 --- a/apps/files_reminders/l10n/zh_CN.js +++ b/apps/files_reminders/l10n/zh_CN.js @@ -7,7 +7,6 @@ OC.L10N.register( "View folder" : "查看文件夹", "Set file reminders" : "设置文件提醒", "Set reminder for \"{fileName}\"" : "设置文件 “{fileName}” 的提醒", - "Set reminder at custom date & time" : "设置自定义日期&时间提醒", "Clear reminder" : "移除提醒", "Please choose a valid date & time" : "请选择一个有效的日期&时间", "Reminder set for \"{fileName}\"" : "文件 “{fileName}” 的提醒设置", @@ -18,7 +17,6 @@ OC.L10N.register( "Cancel" : "取消", "Set reminder" : "设置提醒", "Reminder set" : "提醒设置", - "Set custom reminder" : "设置自定义提醒", "Later today" : "今日稍晚", "Set reminder for later today" : "今日稍晚提醒", "Tomorrow" : "明天", @@ -26,6 +24,8 @@ OC.L10N.register( "This weekend" : "本周末", "Set reminder for this weekend" : "本周末提醒", "Next week" : "下周", - "Set reminder for next week" : "下周提醒" + "Set reminder for next week" : "下周提醒", + "Set reminder at custom date & time" : "设置自定义日期&时间提醒", + "Set custom reminder" : "设置自定义提醒" }, "nplurals=1; plural=0;"); diff --git a/apps/files_reminders/l10n/zh_CN.json b/apps/files_reminders/l10n/zh_CN.json index ab3a52705f1..f3937525140 100644 --- a/apps/files_reminders/l10n/zh_CN.json +++ b/apps/files_reminders/l10n/zh_CN.json @@ -5,7 +5,6 @@ "View folder" : "查看文件夹", "Set file reminders" : "设置文件提醒", "Set reminder for \"{fileName}\"" : "设置文件 “{fileName}” 的提醒", - "Set reminder at custom date & time" : "设置自定义日期&时间提醒", "Clear reminder" : "移除提醒", "Please choose a valid date & time" : "请选择一个有效的日期&时间", "Reminder set for \"{fileName}\"" : "文件 “{fileName}” 的提醒设置", @@ -16,7 +15,6 @@ "Cancel" : "取消", "Set reminder" : "设置提醒", "Reminder set" : "提醒设置", - "Set custom reminder" : "设置自定义提醒", "Later today" : "今日稍晚", "Set reminder for later today" : "今日稍晚提醒", "Tomorrow" : "明天", @@ -24,6 +22,8 @@ "This weekend" : "本周末", "Set reminder for this weekend" : "本周末提醒", "Next week" : "下周", - "Set reminder for next week" : "下周提醒" + "Set reminder for next week" : "下周提醒", + "Set reminder at custom date & time" : "设置自定义日期&时间提醒", + "Set custom reminder" : "设置自定义提醒" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/zh_HK.js b/apps/files_reminders/l10n/zh_HK.js index 4bd677a177e..c72fb6cde89 100644 --- a/apps/files_reminders/l10n/zh_HK.js +++ b/apps/files_reminders/l10n/zh_HK.js @@ -11,7 +11,7 @@ OC.L10N.register( "Set file reminders" : "設定檔案提醒", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 檔案提醒**\n\n設定檔案提醒。\n\n注意:要使用「檔案提醒」應用程式,請確定已安裝並啟用「通知」應用程式。「通知」應用程式提供必要的 API,讓「檔案提醒」應用程式能正常運作。", "Set reminder for \"{fileName}\"" : "設定「{fileName}」的提醒", - "Set reminder at custom date & time" : "設定自訂日期與時間的提醒", + "Reminder at custom date & time" : "自訂日期與時間的提醒", "Clear reminder" : "清除提醒", "Please choose a valid date & time" : "請選擇有效的日期與時間", "Reminder set for \"{fileName}\"" : "「{fileName}」的提醒設定", @@ -22,7 +22,7 @@ OC.L10N.register( "Cancel" : "取消", "Set reminder" : "設定提醒", "Reminder set" : "提醒設定", - "Set custom reminder" : "設定自訂提醒", + "Custom reminder" : "自訂提醒", "Later today" : "今日稍後", "Set reminder for later today" : "設定今天稍後的提醒", "Tomorrow" : "明日", @@ -32,6 +32,8 @@ OC.L10N.register( "Next week" : "下星期", "Set reminder for next week" : "設定下星期的提醒", "This files_reminder can work properly." : "此 files_reminder 可以正常運作。", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "files_reminder 應用程式需要通知應用程式才能正常運作。您應該啟用通知或停用 files_reminder。" + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "files_reminder 應用程式需要通知應用程式才能正常運作。您應該啟用通知或停用 files_reminder。", + "Set reminder at custom date & time" : "設定自訂日期與時間的提醒", + "Set custom reminder" : "設定自訂提醒" }, "nplurals=1; plural=0;"); diff --git a/apps/files_reminders/l10n/zh_HK.json b/apps/files_reminders/l10n/zh_HK.json index 676c4164157..339e0cd8cf7 100644 --- a/apps/files_reminders/l10n/zh_HK.json +++ b/apps/files_reminders/l10n/zh_HK.json @@ -9,7 +9,7 @@ "Set file reminders" : "設定檔案提醒", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 檔案提醒**\n\n設定檔案提醒。\n\n注意:要使用「檔案提醒」應用程式,請確定已安裝並啟用「通知」應用程式。「通知」應用程式提供必要的 API,讓「檔案提醒」應用程式能正常運作。", "Set reminder for \"{fileName}\"" : "設定「{fileName}」的提醒", - "Set reminder at custom date & time" : "設定自訂日期與時間的提醒", + "Reminder at custom date & time" : "自訂日期與時間的提醒", "Clear reminder" : "清除提醒", "Please choose a valid date & time" : "請選擇有效的日期與時間", "Reminder set for \"{fileName}\"" : "「{fileName}」的提醒設定", @@ -20,7 +20,7 @@ "Cancel" : "取消", "Set reminder" : "設定提醒", "Reminder set" : "提醒設定", - "Set custom reminder" : "設定自訂提醒", + "Custom reminder" : "自訂提醒", "Later today" : "今日稍後", "Set reminder for later today" : "設定今天稍後的提醒", "Tomorrow" : "明日", @@ -30,6 +30,8 @@ "Next week" : "下星期", "Set reminder for next week" : "設定下星期的提醒", "This files_reminder can work properly." : "此 files_reminder 可以正常運作。", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "files_reminder 應用程式需要通知應用程式才能正常運作。您應該啟用通知或停用 files_reminder。" + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "files_reminder 應用程式需要通知應用程式才能正常運作。您應該啟用通知或停用 files_reminder。", + "Set reminder at custom date & time" : "設定自訂日期與時間的提醒", + "Set custom reminder" : "設定自訂提醒" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files_reminders/l10n/zh_TW.js b/apps/files_reminders/l10n/zh_TW.js index 38dff857eb3..c19c4a803a2 100644 --- a/apps/files_reminders/l10n/zh_TW.js +++ b/apps/files_reminders/l10n/zh_TW.js @@ -11,7 +11,7 @@ OC.L10N.register( "Set file reminders" : "設定檔案提醒", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 檔案提醒**\n\n設定檔案提醒。\n\n注意:要使用「檔案提醒」應用程式,請確定已安裝並啟用「通知」應用程式。「通知」應用程式提供必要的 API,讓「檔案提醒」應用程式能正常運作。", "Set reminder for \"{fileName}\"" : "設定「{fileName}」的提醒", - "Set reminder at custom date & time" : "設定自訂日期與時間的提醒", + "Reminder at custom date & time" : "自訂日期與時間的提醒", "Clear reminder" : "清除提醒", "Please choose a valid date & time" : "請選擇有效的日期與時間", "Reminder set for \"{fileName}\"" : "「{fileName}」的提醒設定", @@ -22,7 +22,7 @@ OC.L10N.register( "Cancel" : "取消", "Set reminder" : "設定提醒", "Reminder set" : "提醒設定", - "Set custom reminder" : "設定自訂提醒", + "Custom reminder" : "自訂提醒", "Later today" : "今天稍後", "Set reminder for later today" : "設定今天稍後的提醒", "Tomorrow" : "明天", @@ -32,6 +32,8 @@ OC.L10N.register( "Next week" : "下週", "Set reminder for next week" : "設定下週的提醒", "This files_reminder can work properly." : "此 files_reminder 可以正常運作。", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "files_reminder 應用程式需要通知應用程式才能正常運作。您應該啟用通知或停用 files_reminder。" + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "files_reminder 應用程式需要通知應用程式才能正常運作。您應該啟用通知或停用 files_reminder。", + "Set reminder at custom date & time" : "設定自訂日期與時間的提醒", + "Set custom reminder" : "設定自訂提醒" }, "nplurals=1; plural=0;"); diff --git a/apps/files_reminders/l10n/zh_TW.json b/apps/files_reminders/l10n/zh_TW.json index cf082a18204..5035fc1d66b 100644 --- a/apps/files_reminders/l10n/zh_TW.json +++ b/apps/files_reminders/l10n/zh_TW.json @@ -9,7 +9,7 @@ "Set file reminders" : "設定檔案提醒", "**📣 File reminders**\n\nSet file reminders.\n\nNote: to use the `File reminders` app, ensure that the `Notifications` app is installed and enabled. The `Notifications` app provides the necessary APIs for the `File reminders` app to work correctly." : "**📣 檔案提醒**\n\n設定檔案提醒。\n\n注意:要使用「檔案提醒」應用程式,請確定已安裝並啟用「通知」應用程式。「通知」應用程式提供必要的 API,讓「檔案提醒」應用程式能正常運作。", "Set reminder for \"{fileName}\"" : "設定「{fileName}」的提醒", - "Set reminder at custom date & time" : "設定自訂日期與時間的提醒", + "Reminder at custom date & time" : "自訂日期與時間的提醒", "Clear reminder" : "清除提醒", "Please choose a valid date & time" : "請選擇有效的日期與時間", "Reminder set for \"{fileName}\"" : "「{fileName}」的提醒設定", @@ -20,7 +20,7 @@ "Cancel" : "取消", "Set reminder" : "設定提醒", "Reminder set" : "提醒設定", - "Set custom reminder" : "設定自訂提醒", + "Custom reminder" : "自訂提醒", "Later today" : "今天稍後", "Set reminder for later today" : "設定今天稍後的提醒", "Tomorrow" : "明天", @@ -30,6 +30,8 @@ "Next week" : "下週", "Set reminder for next week" : "設定下週的提醒", "This files_reminder can work properly." : "此 files_reminder 可以正常運作。", - "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "files_reminder 應用程式需要通知應用程式才能正常運作。您應該啟用通知或停用 files_reminder。" + "The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "files_reminder 應用程式需要通知應用程式才能正常運作。您應該啟用通知或停用 files_reminder。", + "Set reminder at custom date & time" : "設定自訂日期與時間的提醒", + "Set custom reminder" : "設定自訂提醒" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/files_reminders/src/actions/setReminderCustomAction.ts b/apps/files_reminders/src/actions/setReminderCustomAction.ts index cfaa1ad169f..ea21293ee52 100644 --- a/apps/files_reminders/src/actions/setReminderCustomAction.ts +++ b/apps/files_reminders/src/actions/setReminderCustomAction.ts @@ -14,8 +14,8 @@ import { pickCustomDate } from '../services/customPicker' export const action = new FileAction({ id: 'set-reminder-custom', - displayName: () => t('files_reminders', 'Set custom reminder'), - title: () => t('files_reminders', 'Set reminder at custom date & time'), + displayName: () => t('files_reminders', 'Custom reminder'), + title: () => t('files_reminders', 'Reminder at custom date & time'), iconSvgInline: () => CalendarClockSvg, enabled: (nodes: Node[], view: View) => { diff --git a/apps/files_reminders/src/components/SetCustomReminderModal.vue b/apps/files_reminders/src/components/SetCustomReminderModal.vue index 339c4e96d83..59c0886a009 100644 --- a/apps/files_reminders/src/components/SetCustomReminderModal.vue +++ b/apps/files_reminders/src/components/SetCustomReminderModal.vue @@ -106,7 +106,7 @@ export default Vue.extend({ }, label(): string { - return t('files_reminders', 'Set reminder at custom date & time') + return t('files_reminders', 'Reminder at custom date & time') }, clearAriaLabel(): string { diff --git a/apps/files_sharing/l10n/ar.js b/apps/files_sharing/l10n/ar.js index 2f067ced7dc..53a7f237bc2 100644 --- a/apps/files_sharing/l10n/ar.js +++ b/apps/files_sharing/l10n/ar.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "توليد كلمة مرور جديدة", "Your administrator has enforced a password protection." : "مسؤول النظام قام بفرض الحماية عن طريق كلمة المرور.", "Automatically copying failed, please copy the share link manually" : "تعذّر النسخ التلقائي. قم رجاءً بنسخ رابط المشاركة يدويّاً", - "Link copied to clipboard" : "تمّ نسخ الرابط إلى الحافظة", + "Link copied" : "تمّ نسخ الرابط", "Email already added" : "الإيميل سبقت إضافته سلفاً", "Invalid email address" : "عنوان الإيميل غير صحيح", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["عنوان الإيميل التالي غير صحيح: {emails}","عنوان الإيميل التالي غير صحيح: {emails}","عنوان الإيميل التالي غير صحيح: {emails}","عناوين الإيميل التالية غير صحيحة: {emails}","عناوين الإيميل التالية غير صحيحة: {emails}","عناوين الإيميل التالية غير صحيحة: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["تمت إضافة {count} عنوان بريد إلكتروني ","تم إضافة {count} عنوان بريد إلكتروني ","تم إضافة {count} عناوين بريد إلكتروني ","تمت إضافة {count} عناوين بريد إلكتروني ","تمت إضافة {count} عناوين بريد إلكتروني ","تمت إضافة {count} عناوين بريد إلكتروني "], "You can now share the link below to allow people to upload files to your directory." : "يمكنك الآن مشاركة الرابط أدناه للسماح للأشخاص برفع الملفات إلى دليلك.", "Share link" : "رابط المشاركة", - "Copy to clipboard" : "نسخ الرابط إلى الحافظة", + "Copy" : "إنسَخ", "Send link via email" : "إرسال رابط عبر الإيميل", "Enter an email address or paste a list" : "أدخِل عنوان إيميل أو إلصِق قائمةً", "Remove email" : "حذف البريد الإلكتروني", @@ -200,10 +200,7 @@ OC.L10N.register( "Via “{folder}”" : "عبر “{folder}”", "Unshare" : "إلغاء المشاركة", "Cannot copy, please copy the link manually" : "يتعذّر النسخ. يُرجى نسخ الرابط يدويًا", - "Copy internal link to clipboard" : "إنسَخ رابطاً داخليّاً إلى الحافظة", - "Only works for people with access to this folder" : "يعمل فقط عند الأشخاص الذين يمكنهم الوصول إلى هذا المجلد", - "Only works for people with access to this file" : "يعمل فقط عند الأشخاص الذين يمكنهم الوصول إلى هذا الملف", - "Link copied" : "تمّ نسخ الرابط", + "Copy internal link" : "إنسخ الرابط الداخلي", "Internal link" : "رابط داخلي", "{shareWith} by {initiator}" : "{shareWith} مِن قِبَل {initiator}", "Shared via link by {initiator}" : "تمّت المشاركة عبر رابط من قِبَل {initiator}", @@ -214,7 +211,6 @@ OC.L10N.register( "Share link ({index})" : "رابط المشاركة ({index})", "Create public link" : "إنشاء رابط عمومي", "Actions for \"{title}\"" : "إجراءات لـ \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "إنسَخ الرابط العام لـ \"{title}\" إلى الحافظة", "Error, please enter proper password and/or expiration date" : "خطأ؛ يرجى إدخال كلمة المرور الصحيحة أو تاريخ انتهاء الصلاحية", "Link share created" : "تمّ إنشاء رابط مشاركة", "Error while creating the share" : "خطأ أثناء إنشاء المشاركة", @@ -240,7 +236,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "الاسم أو البريد أو المعرف السحابي الموحد", "Searching …" : "البحث جارٍ …", "No elements found." : "لم يتم العثور على أي عناصر", - "Search globally" : "بحث عام", + "Search everywhere" : "البحث الشامل", "Guest" : "ضيف", "Group" : "المجموعة", "Email" : "البريد الإلكتروني", @@ -258,7 +254,6 @@ OC.L10N.register( "By uploading files, you agree to the terms of service." : "بمجرد رفعك للملفات، أنت تعتبر موافقاً على شروط الخدمة.", "View terms of service" : "عرض شروط الخدمة", "Terms of service" : "شروط الخدمة", - "Share with {userName}" : "شارِك مع {userName}", "Share with email {email}" : "مشاركة مع صاحب البريد الإلكتروني {email}", "Share with group" : "شارِك مع مجموعة", "Share in conversation" : "شارِك في محادثة", @@ -303,10 +298,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "تعذّر جلب المشاركات الموروثة inherited shares", "Link shares" : "ربط المشاركات", "Shares" : "مشاركات", - "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." : "استَعمِل هذه الطريقة لمشاركة الملفات مع الأفراد أو الفرق داخل مؤسستك. إذا كان المستلم لديه بالفعل حق الوصول إلى المشاركة ولكنه لا يستطيع تحديد موقعها، فيمكنك إرسال رابط المشاركة الداخلي إليه لتسهيل وصوله إليها.", - "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." : "استَعمِل هذه الطريقة لمشاركة الملفات مع الأفراد أو المؤسسات خارج مؤسستك. يمكن مشاركة الملفات والمجلدات عبر روابط المشاركة العامة وعناوين البريد الإلكتروني. يمكنك أيضًا المشاركة مع حسابات نكست كلاود الأخرى المستضافة على خوادم مختلفة باستخدام مُعرِّف سحابتها الاتحاديّة.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "المشاركات التي لا تشكل جزءاً من المشاركات الداخلية أو الخارجية تُعد مُشارَكات من تطبيقات أو مصادر أخرى.", - "Share with accounts and teams" : "المشاركة مع حسابات وفِرَق", "Unable to load the shares list" : "تعذّر تحميل قائمة المشاركات", "Expires {relativetime}" : "تنتهي الصلاحية في {relativetime}", "this share just expired." : "صلاحية هذه المشاركة إنتَهَت للتَّوّ.", @@ -325,7 +316,6 @@ OC.L10N.register( "Shared" : "مشاركة", "Shared by {ownerDisplayName}" : "تمّت مشاركته من قِبَل {ownerDisplayName}", "Shared multiple times with different people" : "تمّت مشاركته عدة مرات مع أشخاص متعددين", - "Show sharing options" : "عرض خيارات المشاركة", "Shared with others" : "قمت بمشاركته مع آخرين", "Create file request" : "إنشاء طلب ملف", "Upload files to {foldername}" : "رفع الملفات إلى{foldername}", @@ -401,13 +391,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "فشل في إضافة الرابط العام إلى الخادم السحابي الخاص بك", "You are not allowed to edit link shares that you don't own" : "أنت غير مسموحٍ لك بتعديل مشاركات الروابط التي لا تملكها", "Download all files" : "تنزيل كافة الملفات", + "Link copied to clipboard" : "تمّ نسخ الرابط إلى الحافظة", "_1 email address already added_::_{count} email addresses already added_" : ["{count} عنوان إيميل سبقت إضافته سلفاً","1 عنوان إيميل سبقت إضافته سلفاً","{count} عنوان إيميل سبقت إضافته سلفاً","{count} عناوين إيميل سبقت إضافتهت سلفاً","{count} عناوين إيميل سبقت إضافتها سلفاً","{count} عناوين إيميل سبقت إضافتها سلفاً"], "_1 email address added_::_{count} email addresses added_" : ["{count} عنوان إيميل تمت إضافته","1 عنوان إيميل تمت إضافته","{count} عناوين إيميل تمت إضافتها","{count} عناوين إيميل تمت إضافتها","{count} عناوين إيميل تمت إضافتها","{count} عناوين إيميل تمت إضافتها"], + "Copy to clipboard" : "نسخ الرابط إلى الحافظة", + "Copy internal link to clipboard" : "إنسَخ رابطاً داخليّاً إلى الحافظة", + "Only works for people with access to this folder" : "يعمل فقط عند الأشخاص الذين يمكنهم الوصول إلى هذا المجلد", + "Only works for people with access to this file" : "يعمل فقط عند الأشخاص الذين يمكنهم الوصول إلى هذا الملف", + "Copy public link of \"{title}\" to clipboard" : "إنسَخ الرابط العام لـ \"{title}\" إلى الحافظة", + "Search globally" : "بحث عام", "Search for share recipients" : "إضافة أشخاص لاستلام المشاركة", "No recommendations. Start typing." : "لا توجد توصيات. إبدأ الكتابة.", "To upload files, you need to provide your name first." : "لرفع الملفات، يجب أن تكتب اسمك أوّلاً.", "Enter your name" : "أدخِل اسمك", "Submit name" : "إرسال الاسم", + "Share with {userName}" : "شارِك مع {userName}", + "Show sharing options" : "عرض خيارات المشاركة", "Share note" : "ملاحظة عن المشاركة", "Upload files to %s" : "رَفْعُ ملفات إلى %s", "%s shared a folder with you." : "قام %s بمشاركة مجلد معك.", @@ -417,6 +416,10 @@ OC.L10N.register( "Uploaded files:" : "تمّ رَفْعُ ملفاتٍ:", "By uploading files, you agree to the %1$sterms of service%2$s." : "برفع الملفات ، فإنك توافق على %1$s شروط الخدمة %2$s.", "Name" : "الاسم", + "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." : "استَعمِل هذه الطريقة لمشاركة الملفات مع الأفراد أو الفرق داخل مؤسستك. إذا كان المستلم لديه بالفعل حق الوصول إلى المشاركة ولكنه لا يستطيع تحديد موقعها، فيمكنك إرسال رابط المشاركة الداخلي إليه لتسهيل وصوله إليها.", + "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." : "استَعمِل هذه الطريقة لمشاركة الملفات مع الأفراد أو المؤسسات خارج مؤسستك. يمكن مشاركة الملفات والمجلدات عبر روابط المشاركة العامة وعناوين البريد الإلكتروني. يمكنك أيضًا المشاركة مع حسابات نكست كلاود الأخرى المستضافة على خوادم مختلفة باستخدام مُعرِّف سحابتها الاتحاديّة.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "المشاركات التي لا تشكل جزءاً من المشاركات الداخلية أو الخارجية تُعد مُشارَكات من تطبيقات أو مصادر أخرى.", + "Share with accounts and teams" : "المشاركة مع حسابات وفِرَق", "Email, federated cloud id" : "بريد إلكتروني، مُعرِّف سحابة اتحاديّة", "Filename must not be empty." : "يجب ألّا يكون اسم الملف فارغاً." }, diff --git a/apps/files_sharing/l10n/ar.json b/apps/files_sharing/l10n/ar.json index f7b8af2e100..0d48a4911f0 100644 --- a/apps/files_sharing/l10n/ar.json +++ b/apps/files_sharing/l10n/ar.json @@ -132,7 +132,7 @@ "Generate a new password" : "توليد كلمة مرور جديدة", "Your administrator has enforced a password protection." : "مسؤول النظام قام بفرض الحماية عن طريق كلمة المرور.", "Automatically copying failed, please copy the share link manually" : "تعذّر النسخ التلقائي. قم رجاءً بنسخ رابط المشاركة يدويّاً", - "Link copied to clipboard" : "تمّ نسخ الرابط إلى الحافظة", + "Link copied" : "تمّ نسخ الرابط", "Email already added" : "الإيميل سبقت إضافته سلفاً", "Invalid email address" : "عنوان الإيميل غير صحيح", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["عنوان الإيميل التالي غير صحيح: {emails}","عنوان الإيميل التالي غير صحيح: {emails}","عنوان الإيميل التالي غير صحيح: {emails}","عناوين الإيميل التالية غير صحيحة: {emails}","عناوين الإيميل التالية غير صحيحة: {emails}","عناوين الإيميل التالية غير صحيحة: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["تمت إضافة {count} عنوان بريد إلكتروني ","تم إضافة {count} عنوان بريد إلكتروني ","تم إضافة {count} عناوين بريد إلكتروني ","تمت إضافة {count} عناوين بريد إلكتروني ","تمت إضافة {count} عناوين بريد إلكتروني ","تمت إضافة {count} عناوين بريد إلكتروني "], "You can now share the link below to allow people to upload files to your directory." : "يمكنك الآن مشاركة الرابط أدناه للسماح للأشخاص برفع الملفات إلى دليلك.", "Share link" : "رابط المشاركة", - "Copy to clipboard" : "نسخ الرابط إلى الحافظة", + "Copy" : "إنسَخ", "Send link via email" : "إرسال رابط عبر الإيميل", "Enter an email address or paste a list" : "أدخِل عنوان إيميل أو إلصِق قائمةً", "Remove email" : "حذف البريد الإلكتروني", @@ -198,10 +198,7 @@ "Via “{folder}”" : "عبر “{folder}”", "Unshare" : "إلغاء المشاركة", "Cannot copy, please copy the link manually" : "يتعذّر النسخ. يُرجى نسخ الرابط يدويًا", - "Copy internal link to clipboard" : "إنسَخ رابطاً داخليّاً إلى الحافظة", - "Only works for people with access to this folder" : "يعمل فقط عند الأشخاص الذين يمكنهم الوصول إلى هذا المجلد", - "Only works for people with access to this file" : "يعمل فقط عند الأشخاص الذين يمكنهم الوصول إلى هذا الملف", - "Link copied" : "تمّ نسخ الرابط", + "Copy internal link" : "إنسخ الرابط الداخلي", "Internal link" : "رابط داخلي", "{shareWith} by {initiator}" : "{shareWith} مِن قِبَل {initiator}", "Shared via link by {initiator}" : "تمّت المشاركة عبر رابط من قِبَل {initiator}", @@ -212,7 +209,6 @@ "Share link ({index})" : "رابط المشاركة ({index})", "Create public link" : "إنشاء رابط عمومي", "Actions for \"{title}\"" : "إجراءات لـ \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "إنسَخ الرابط العام لـ \"{title}\" إلى الحافظة", "Error, please enter proper password and/or expiration date" : "خطأ؛ يرجى إدخال كلمة المرور الصحيحة أو تاريخ انتهاء الصلاحية", "Link share created" : "تمّ إنشاء رابط مشاركة", "Error while creating the share" : "خطأ أثناء إنشاء المشاركة", @@ -238,7 +234,7 @@ "Name, email, or Federated Cloud ID …" : "الاسم أو البريد أو المعرف السحابي الموحد", "Searching …" : "البحث جارٍ …", "No elements found." : "لم يتم العثور على أي عناصر", - "Search globally" : "بحث عام", + "Search everywhere" : "البحث الشامل", "Guest" : "ضيف", "Group" : "المجموعة", "Email" : "البريد الإلكتروني", @@ -256,7 +252,6 @@ "By uploading files, you agree to the terms of service." : "بمجرد رفعك للملفات، أنت تعتبر موافقاً على شروط الخدمة.", "View terms of service" : "عرض شروط الخدمة", "Terms of service" : "شروط الخدمة", - "Share with {userName}" : "شارِك مع {userName}", "Share with email {email}" : "مشاركة مع صاحب البريد الإلكتروني {email}", "Share with group" : "شارِك مع مجموعة", "Share in conversation" : "شارِك في محادثة", @@ -301,10 +296,6 @@ "Unable to fetch inherited shares" : "تعذّر جلب المشاركات الموروثة inherited shares", "Link shares" : "ربط المشاركات", "Shares" : "مشاركات", - "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." : "استَعمِل هذه الطريقة لمشاركة الملفات مع الأفراد أو الفرق داخل مؤسستك. إذا كان المستلم لديه بالفعل حق الوصول إلى المشاركة ولكنه لا يستطيع تحديد موقعها، فيمكنك إرسال رابط المشاركة الداخلي إليه لتسهيل وصوله إليها.", - "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." : "استَعمِل هذه الطريقة لمشاركة الملفات مع الأفراد أو المؤسسات خارج مؤسستك. يمكن مشاركة الملفات والمجلدات عبر روابط المشاركة العامة وعناوين البريد الإلكتروني. يمكنك أيضًا المشاركة مع حسابات نكست كلاود الأخرى المستضافة على خوادم مختلفة باستخدام مُعرِّف سحابتها الاتحاديّة.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "المشاركات التي لا تشكل جزءاً من المشاركات الداخلية أو الخارجية تُعد مُشارَكات من تطبيقات أو مصادر أخرى.", - "Share with accounts and teams" : "المشاركة مع حسابات وفِرَق", "Unable to load the shares list" : "تعذّر تحميل قائمة المشاركات", "Expires {relativetime}" : "تنتهي الصلاحية في {relativetime}", "this share just expired." : "صلاحية هذه المشاركة إنتَهَت للتَّوّ.", @@ -323,7 +314,6 @@ "Shared" : "مشاركة", "Shared by {ownerDisplayName}" : "تمّت مشاركته من قِبَل {ownerDisplayName}", "Shared multiple times with different people" : "تمّت مشاركته عدة مرات مع أشخاص متعددين", - "Show sharing options" : "عرض خيارات المشاركة", "Shared with others" : "قمت بمشاركته مع آخرين", "Create file request" : "إنشاء طلب ملف", "Upload files to {foldername}" : "رفع الملفات إلى{foldername}", @@ -399,13 +389,22 @@ "Failed to add the public link to your Nextcloud" : "فشل في إضافة الرابط العام إلى الخادم السحابي الخاص بك", "You are not allowed to edit link shares that you don't own" : "أنت غير مسموحٍ لك بتعديل مشاركات الروابط التي لا تملكها", "Download all files" : "تنزيل كافة الملفات", + "Link copied to clipboard" : "تمّ نسخ الرابط إلى الحافظة", "_1 email address already added_::_{count} email addresses already added_" : ["{count} عنوان إيميل سبقت إضافته سلفاً","1 عنوان إيميل سبقت إضافته سلفاً","{count} عنوان إيميل سبقت إضافته سلفاً","{count} عناوين إيميل سبقت إضافتهت سلفاً","{count} عناوين إيميل سبقت إضافتها سلفاً","{count} عناوين إيميل سبقت إضافتها سلفاً"], "_1 email address added_::_{count} email addresses added_" : ["{count} عنوان إيميل تمت إضافته","1 عنوان إيميل تمت إضافته","{count} عناوين إيميل تمت إضافتها","{count} عناوين إيميل تمت إضافتها","{count} عناوين إيميل تمت إضافتها","{count} عناوين إيميل تمت إضافتها"], + "Copy to clipboard" : "نسخ الرابط إلى الحافظة", + "Copy internal link to clipboard" : "إنسَخ رابطاً داخليّاً إلى الحافظة", + "Only works for people with access to this folder" : "يعمل فقط عند الأشخاص الذين يمكنهم الوصول إلى هذا المجلد", + "Only works for people with access to this file" : "يعمل فقط عند الأشخاص الذين يمكنهم الوصول إلى هذا الملف", + "Copy public link of \"{title}\" to clipboard" : "إنسَخ الرابط العام لـ \"{title}\" إلى الحافظة", + "Search globally" : "بحث عام", "Search for share recipients" : "إضافة أشخاص لاستلام المشاركة", "No recommendations. Start typing." : "لا توجد توصيات. إبدأ الكتابة.", "To upload files, you need to provide your name first." : "لرفع الملفات، يجب أن تكتب اسمك أوّلاً.", "Enter your name" : "أدخِل اسمك", "Submit name" : "إرسال الاسم", + "Share with {userName}" : "شارِك مع {userName}", + "Show sharing options" : "عرض خيارات المشاركة", "Share note" : "ملاحظة عن المشاركة", "Upload files to %s" : "رَفْعُ ملفات إلى %s", "%s shared a folder with you." : "قام %s بمشاركة مجلد معك.", @@ -415,6 +414,10 @@ "Uploaded files:" : "تمّ رَفْعُ ملفاتٍ:", "By uploading files, you agree to the %1$sterms of service%2$s." : "برفع الملفات ، فإنك توافق على %1$s شروط الخدمة %2$s.", "Name" : "الاسم", + "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." : "استَعمِل هذه الطريقة لمشاركة الملفات مع الأفراد أو الفرق داخل مؤسستك. إذا كان المستلم لديه بالفعل حق الوصول إلى المشاركة ولكنه لا يستطيع تحديد موقعها، فيمكنك إرسال رابط المشاركة الداخلي إليه لتسهيل وصوله إليها.", + "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." : "استَعمِل هذه الطريقة لمشاركة الملفات مع الأفراد أو المؤسسات خارج مؤسستك. يمكن مشاركة الملفات والمجلدات عبر روابط المشاركة العامة وعناوين البريد الإلكتروني. يمكنك أيضًا المشاركة مع حسابات نكست كلاود الأخرى المستضافة على خوادم مختلفة باستخدام مُعرِّف سحابتها الاتحاديّة.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "المشاركات التي لا تشكل جزءاً من المشاركات الداخلية أو الخارجية تُعد مُشارَكات من تطبيقات أو مصادر أخرى.", + "Share with accounts and teams" : "المشاركة مع حسابات وفِرَق", "Email, federated cloud id" : "بريد إلكتروني، مُعرِّف سحابة اتحاديّة", "Filename must not be empty." : "يجب ألّا يكون اسم الملف فارغاً." },"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;" diff --git a/apps/files_sharing/l10n/ast.js b/apps/files_sharing/l10n/ast.js index 475576a969c..1943ff7be23 100644 --- a/apps/files_sharing/l10n/ast.js +++ b/apps/files_sharing/l10n/ast.js @@ -102,11 +102,11 @@ OC.L10N.register( "People" : "Persones", "Expiration date" : "Data de caducidá", "Password" : "Contraseña", - "Link copied to clipboard" : "L'enllaz copióse nel cartafueyu", + "Link copied" : "Copióse l'enllaz", "Invalid email address" : "La direición de corréu electrónicu ye inválida", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Les direición de corréu siguiente nun ye válida: {emails}","Les direiciones de corréu siguientes nun son válides: {emails}"], "Share link" : "Compartir l'enllaz", - "Copy to clipboard" : "Copiar nel cartafueyu", + "Copy" : "Copiar", "Select" : "Seleicionar", "What are you requesting?" : "¿Qué tas solicitando?", "Where should these files go?" : "¿A ónde habríen dir estos ficheros?", @@ -148,10 +148,7 @@ OC.L10N.register( "Via “{folder}”" : "Per «{folder}»", "Unshare" : "Dexar de compartir", "Cannot copy, please copy the link manually" : "Nun se pue copiar. Copia l'enllaz manualmente", - "Copy internal link to clipboard" : "Copiar l'enllaz internu nel cartafueyu", - "Only works for people with access to this folder" : "Namás funciona pa les persones con accesu a esta carpeta", - "Only works for people with access to this file" : "Namás funciona pa les persones con accesu a esti ficheru", - "Link copied" : "Copióse l'enllaz", + "Copy internal link" : "Copiar l'enllaz internu", "Internal link" : "Enllaz internu", "{shareWith} by {initiator}" : "«{shareWith}» por {initiator}", "Shared via link by {initiator}" : "{initiator} compartío l'elementu per enllaz", @@ -161,7 +158,6 @@ OC.L10N.register( "Mail share" : "Unviar la compartición per corréu", "Share link ({index})" : "Compartir l'enllaz ({index})", "Actions for \"{title}\"" : "Aiciones pa: {title}", - "Copy public link of \"{title}\" to clipboard" : "Copiar l'enllaz públicu de «{title}» nel cartafueyu", "Error, please enter proper password and/or expiration date" : "Error, introduz la contraseña y/o la data de caducidá correutos", "Link share created" : "Creóse l'enlla d'usu compartíu", "Error while creating the share" : "Hebo un error mentanto se creaba la compartición", @@ -183,7 +179,6 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Nome, direición de corréu electrónicu o ID de nube federada…", "Searching …" : "Buscando…", "No elements found." : "Nun s'atopó nengún elementu.", - "Search globally" : "Buscar globalmente", "Guest" : "Convidáu", "Group" : "Grupu", "Email" : "Corréu electrónicu", @@ -194,7 +189,6 @@ OC.L10N.register( "on {server}" : "en: {server}", "File drop" : "Suelta de ficheros", "Terms of service" : "Términos del serviciu", - "Share with {userName}" : "Compartir con {userName}", "Share with email {email}" : "Compartir cola direición de corréu electrónica {email}", "Share with group" : "Compartir col grupu", "Share in conversation" : "Compartir na conversación", @@ -241,7 +235,6 @@ OC.L10N.register( "Shared" : "Compartióse", "Shared by {ownerDisplayName}" : "Elementu compartíu por {ownerDisplayName}", "Shared multiple times with different people" : "Compartióse múltiples vegaes con otres persones", - "Show sharing options" : "Amosar les opciones de compartición", "Shared with others" : "Compartío con otros", "No file" : "Nun hai nengún ficheru", "Overview of shared files." : "Vista xeneral de ficheros compartíos.", @@ -293,8 +286,17 @@ OC.L10N.register( "Invalid server URL" : "La URL del sirvidor ye inválida", "Failed to add the public link to your Nextcloud" : "Nun se pue amestar l'enllaz públicu a esta instancia de Nextcloud", "Download all files" : "Baxar tolos ficheros", + "Link copied to clipboard" : "L'enllaz copióse nel cartafueyu", + "Copy to clipboard" : "Copiar nel cartafueyu", + "Copy internal link to clipboard" : "Copiar l'enllaz internu nel cartafueyu", + "Only works for people with access to this folder" : "Namás funciona pa les persones con accesu a esta carpeta", + "Only works for people with access to this file" : "Namás funciona pa les persones con accesu a esti ficheru", + "Copy public link of \"{title}\" to clipboard" : "Copiar l'enllaz públicu de «{title}» nel cartafueyu", + "Search globally" : "Buscar globalmente", "Search for share recipients" : "Buscar destinatarios del elementu compartíu", "No recommendations. Start typing." : "Nun hai nenguna recomendación. Comienza a escribir", + "Share with {userName}" : "Compartir con {userName}", + "Show sharing options" : "Amosar les opciones de compartición", "Share note" : "Compartir una nota", "Upload files to %s" : "Xubir ficheros a «%s»", "Note" : "Nota", diff --git a/apps/files_sharing/l10n/ast.json b/apps/files_sharing/l10n/ast.json index e95918aad5a..fef2654f681 100644 --- a/apps/files_sharing/l10n/ast.json +++ b/apps/files_sharing/l10n/ast.json @@ -100,11 +100,11 @@ "People" : "Persones", "Expiration date" : "Data de caducidá", "Password" : "Contraseña", - "Link copied to clipboard" : "L'enllaz copióse nel cartafueyu", + "Link copied" : "Copióse l'enllaz", "Invalid email address" : "La direición de corréu electrónicu ye inválida", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Les direición de corréu siguiente nun ye válida: {emails}","Les direiciones de corréu siguientes nun son válides: {emails}"], "Share link" : "Compartir l'enllaz", - "Copy to clipboard" : "Copiar nel cartafueyu", + "Copy" : "Copiar", "Select" : "Seleicionar", "What are you requesting?" : "¿Qué tas solicitando?", "Where should these files go?" : "¿A ónde habríen dir estos ficheros?", @@ -146,10 +146,7 @@ "Via “{folder}”" : "Per «{folder}»", "Unshare" : "Dexar de compartir", "Cannot copy, please copy the link manually" : "Nun se pue copiar. Copia l'enllaz manualmente", - "Copy internal link to clipboard" : "Copiar l'enllaz internu nel cartafueyu", - "Only works for people with access to this folder" : "Namás funciona pa les persones con accesu a esta carpeta", - "Only works for people with access to this file" : "Namás funciona pa les persones con accesu a esti ficheru", - "Link copied" : "Copióse l'enllaz", + "Copy internal link" : "Copiar l'enllaz internu", "Internal link" : "Enllaz internu", "{shareWith} by {initiator}" : "«{shareWith}» por {initiator}", "Shared via link by {initiator}" : "{initiator} compartío l'elementu per enllaz", @@ -159,7 +156,6 @@ "Mail share" : "Unviar la compartición per corréu", "Share link ({index})" : "Compartir l'enllaz ({index})", "Actions for \"{title}\"" : "Aiciones pa: {title}", - "Copy public link of \"{title}\" to clipboard" : "Copiar l'enllaz públicu de «{title}» nel cartafueyu", "Error, please enter proper password and/or expiration date" : "Error, introduz la contraseña y/o la data de caducidá correutos", "Link share created" : "Creóse l'enlla d'usu compartíu", "Error while creating the share" : "Hebo un error mentanto se creaba la compartición", @@ -181,7 +177,6 @@ "Name, email, or Federated Cloud ID …" : "Nome, direición de corréu electrónicu o ID de nube federada…", "Searching …" : "Buscando…", "No elements found." : "Nun s'atopó nengún elementu.", - "Search globally" : "Buscar globalmente", "Guest" : "Convidáu", "Group" : "Grupu", "Email" : "Corréu electrónicu", @@ -192,7 +187,6 @@ "on {server}" : "en: {server}", "File drop" : "Suelta de ficheros", "Terms of service" : "Términos del serviciu", - "Share with {userName}" : "Compartir con {userName}", "Share with email {email}" : "Compartir cola direición de corréu electrónica {email}", "Share with group" : "Compartir col grupu", "Share in conversation" : "Compartir na conversación", @@ -239,7 +233,6 @@ "Shared" : "Compartióse", "Shared by {ownerDisplayName}" : "Elementu compartíu por {ownerDisplayName}", "Shared multiple times with different people" : "Compartióse múltiples vegaes con otres persones", - "Show sharing options" : "Amosar les opciones de compartición", "Shared with others" : "Compartío con otros", "No file" : "Nun hai nengún ficheru", "Overview of shared files." : "Vista xeneral de ficheros compartíos.", @@ -291,8 +284,17 @@ "Invalid server URL" : "La URL del sirvidor ye inválida", "Failed to add the public link to your Nextcloud" : "Nun se pue amestar l'enllaz públicu a esta instancia de Nextcloud", "Download all files" : "Baxar tolos ficheros", + "Link copied to clipboard" : "L'enllaz copióse nel cartafueyu", + "Copy to clipboard" : "Copiar nel cartafueyu", + "Copy internal link to clipboard" : "Copiar l'enllaz internu nel cartafueyu", + "Only works for people with access to this folder" : "Namás funciona pa les persones con accesu a esta carpeta", + "Only works for people with access to this file" : "Namás funciona pa les persones con accesu a esti ficheru", + "Copy public link of \"{title}\" to clipboard" : "Copiar l'enllaz públicu de «{title}» nel cartafueyu", + "Search globally" : "Buscar globalmente", "Search for share recipients" : "Buscar destinatarios del elementu compartíu", "No recommendations. Start typing." : "Nun hai nenguna recomendación. Comienza a escribir", + "Share with {userName}" : "Compartir con {userName}", + "Show sharing options" : "Amosar les opciones de compartición", "Share note" : "Compartir una nota", "Upload files to %s" : "Xubir ficheros a «%s»", "Note" : "Nota", diff --git a/apps/files_sharing/l10n/bg.js b/apps/files_sharing/l10n/bg.js index e651fd12c61..4dfcbffb863 100644 --- a/apps/files_sharing/l10n/bg.js +++ b/apps/files_sharing/l10n/bg.js @@ -99,9 +99,9 @@ OC.L10N.register( "Expiration date" : "Валидност", "Set a password" : "Задаване на парола", "Password" : "Парола", - "Link copied to clipboard" : "Връзката е копирана в клипборда", + "Link copied" : "Връзката е копирана", "Share link" : "Връзка за споделяне", - "Copy to clipboard" : "Копиране в клипборда", + "Copy" : "Копие", "Send link via email" : "Сподели връзка с имейл", "Select" : "Избери", "The uploaded files are visible only to you unless you choose to share them." : "Качените файлове са видими само за теб, освен, ако не решиш да ги споделиш с друг.", @@ -129,8 +129,6 @@ OC.L10N.register( "Via “{folder}”" : "Чрез “{folder}”", "Unshare" : "Прекрати споделянето", "Cannot copy, please copy the link manually" : "Не може да се копира, моля, копирайте връзката ръчно", - "Copy internal link to clipboard" : "Копиране на вътрешна връзката в клипборда", - "Link copied" : "Връзката е копирана", "Internal link" : "Вътрешна връзка", "{shareWith} by {initiator}" : "{shareWith} чрез {initiator}", "Shared via link by {initiator}" : "Споделено чрез връзка от {initiator}", @@ -139,7 +137,6 @@ OC.L10N.register( "Share link ({index})" : "Споделяне на връзка ({index})", "Create public link" : "Създаване на публична връзка", "Actions for \"{title}\"" : "Действия за „{title}“", - "Copy public link of \"{title}\" to clipboard" : "Копиране на публичната връзка на „{title}“ в клипборда", "Error, please enter proper password and/or expiration date" : "Грешка, моля да въведете правилната парола и / или срок на годност", "Link share created" : "Създадено споделяне на връзка", "Error while creating the share" : "Грешка при създаване на споделянето", @@ -158,7 +155,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Име, имейл или Federed Cloud ID/ИД за облачно пространство/ ...", "Searching …" : "Търсене ...", "No elements found." : "Няма намерени елементи", - "Search globally" : "Глобално търсене ", + "Search everywhere" : "Търси навсякъде", "Guest" : "Гост", "Group" : "Група", "Email" : "Имейл", @@ -197,6 +194,7 @@ OC.L10N.register( "Shared with you by {owner}" : "Споделено с Вас от {owner}.", "Link to a file" : "Линк към файл", "Shared" : "Споделен", + "Sharing options" : "Опции за споделяне", "Shared with others" : "Споделени с други", "No file" : "Без файл", "No shares" : "Няма споделяния", @@ -238,6 +236,11 @@ OC.L10N.register( "Invalid server URL" : "URL адреса на сървъра не е валиден", "Failed to add the public link to your Nextcloud" : "Неуспешно добавяне на публичната връзка към вашия Nextcloud", "Download all files" : "Изтегли всички файлове", + "Link copied to clipboard" : "Връзката е копирана в клипборда", + "Copy to clipboard" : "Копиране в клипборда", + "Copy internal link to clipboard" : "Копиране на вътрешна връзката в клипборда", + "Copy public link of \"{title}\" to clipboard" : "Копиране на публичната връзка на „{title}“ в клипборда", + "Search globally" : "Глобално търсене ", "Search for share recipients" : "Търсене на получатели на споделяне", "No recommendations. Start typing." : "Няма препоръки. Започнете да пишете.", "Enter your name" : "Въведете вашето име", diff --git a/apps/files_sharing/l10n/bg.json b/apps/files_sharing/l10n/bg.json index f55855a3c73..2786aeb7f7b 100644 --- a/apps/files_sharing/l10n/bg.json +++ b/apps/files_sharing/l10n/bg.json @@ -97,9 +97,9 @@ "Expiration date" : "Валидност", "Set a password" : "Задаване на парола", "Password" : "Парола", - "Link copied to clipboard" : "Връзката е копирана в клипборда", + "Link copied" : "Връзката е копирана", "Share link" : "Връзка за споделяне", - "Copy to clipboard" : "Копиране в клипборда", + "Copy" : "Копие", "Send link via email" : "Сподели връзка с имейл", "Select" : "Избери", "The uploaded files are visible only to you unless you choose to share them." : "Качените файлове са видими само за теб, освен, ако не решиш да ги споделиш с друг.", @@ -127,8 +127,6 @@ "Via “{folder}”" : "Чрез “{folder}”", "Unshare" : "Прекрати споделянето", "Cannot copy, please copy the link manually" : "Не може да се копира, моля, копирайте връзката ръчно", - "Copy internal link to clipboard" : "Копиране на вътрешна връзката в клипборда", - "Link copied" : "Връзката е копирана", "Internal link" : "Вътрешна връзка", "{shareWith} by {initiator}" : "{shareWith} чрез {initiator}", "Shared via link by {initiator}" : "Споделено чрез връзка от {initiator}", @@ -137,7 +135,6 @@ "Share link ({index})" : "Споделяне на връзка ({index})", "Create public link" : "Създаване на публична връзка", "Actions for \"{title}\"" : "Действия за „{title}“", - "Copy public link of \"{title}\" to clipboard" : "Копиране на публичната връзка на „{title}“ в клипборда", "Error, please enter proper password and/or expiration date" : "Грешка, моля да въведете правилната парола и / или срок на годност", "Link share created" : "Създадено споделяне на връзка", "Error while creating the share" : "Грешка при създаване на споделянето", @@ -156,7 +153,7 @@ "Name, email, or Federated Cloud ID …" : "Име, имейл или Federed Cloud ID/ИД за облачно пространство/ ...", "Searching …" : "Търсене ...", "No elements found." : "Няма намерени елементи", - "Search globally" : "Глобално търсене ", + "Search everywhere" : "Търси навсякъде", "Guest" : "Гост", "Group" : "Група", "Email" : "Имейл", @@ -195,6 +192,7 @@ "Shared with you by {owner}" : "Споделено с Вас от {owner}.", "Link to a file" : "Линк към файл", "Shared" : "Споделен", + "Sharing options" : "Опции за споделяне", "Shared with others" : "Споделени с други", "No file" : "Без файл", "No shares" : "Няма споделяния", @@ -236,6 +234,11 @@ "Invalid server URL" : "URL адреса на сървъра не е валиден", "Failed to add the public link to your Nextcloud" : "Неуспешно добавяне на публичната връзка към вашия Nextcloud", "Download all files" : "Изтегли всички файлове", + "Link copied to clipboard" : "Връзката е копирана в клипборда", + "Copy to clipboard" : "Копиране в клипборда", + "Copy internal link to clipboard" : "Копиране на вътрешна връзката в клипборда", + "Copy public link of \"{title}\" to clipboard" : "Копиране на публичната връзка на „{title}“ в клипборда", + "Search globally" : "Глобално търсене ", "Search for share recipients" : "Търсене на получатели на споделяне", "No recommendations. Start typing." : "Няма препоръки. Започнете да пишете.", "Enter your name" : "Въведете вашето име", diff --git a/apps/files_sharing/l10n/ca.js b/apps/files_sharing/l10n/ca.js index 68c3994f58c..de020a0a6b1 100644 --- a/apps/files_sharing/l10n/ca.js +++ b/apps/files_sharing/l10n/ca.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Genereu una nova contrasenya", "Your administrator has enforced a password protection." : "El vostre administrador ha aplicat una protecció amb contrasenya.", "Automatically copying failed, please copy the share link manually" : "S'ha produït un error en copiar automàticament; copieu l'enllaç de compartició manualment", - "Link copied to clipboard" : "Enllaç copiat al porta-retalls", + "Link copied" : "S'ha copiat l'enllaç", "Email already added" : "El correu electrònic ja s'ha afegit", "Invalid email address" : "L'adreça de correu no és vàlida", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["L'adreça de correu següent no és vàlida: {emails}","Les adreces de correu següents no son vàlides: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["S'ha afegit {count} adreça de correu","S’han afegit {count} adreces de correu"], "You can now share the link below to allow people to upload files to your directory." : "Ara podeu compartir l'enllaç següent per permetre que la gent pugui pujar fitxers al vostre directori.", "Share link" : "Comparteix un enllaç", - "Copy to clipboard" : "Copia-ho al porta-retalls", + "Copy" : "Còpia", "Send link via email" : "Envia l'enllaç per correu electrònic", "Enter an email address or paste a list" : "Introduïu una adreça de correu electrònic o enganxeu una llista", "Remove email" : "Elimina el correu electrònic", @@ -200,10 +200,7 @@ OC.L10N.register( "Via “{folder}”" : "Mitjançant «{folder}»", "Unshare" : "Deixa de compartir", "Cannot copy, please copy the link manually" : "No es pot copiar; copieu l'enllaç manualment", - "Copy internal link to clipboard" : "Copia l'enllaç intern al porta-retalls", - "Only works for people with access to this folder" : "Només funciona per a les persones amb accés a aquesta carpeta", - "Only works for people with access to this file" : "Només funciona per a les persones amb accés a aquest fitxer", - "Link copied" : "S'ha copiat l'enllaç", + "Copy internal link" : "Copia l'enllaç intern", "Internal link" : "Enllaç intern", "{shareWith} by {initiator}" : "{shareWith} per {initiator}", "Shared via link by {initiator}" : "Compartit amb un enllaç per {initiator}", @@ -214,7 +211,6 @@ OC.L10N.register( "Share link ({index})" : "Comparteix un enllaç ({index})", "Create public link" : "Crea un enllaç públic", "Actions for \"{title}\"" : "Accions per a «{title}»", - "Copy public link of \"{title}\" to clipboard" : "Copia l'enllaç públic de «{title}» al porta-retalls", "Error, please enter proper password and/or expiration date" : "S'ha produït un error, introduïu la contrasenya o la data de caducitat adequada", "Link share created" : "S'ha creat l'enllaç compartit", "Error while creating the share" : "S'ha produït un error en crear l'element compartit", @@ -240,7 +236,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Nom, adreça electrònica o ID de núvol federat…", "Searching …" : "S'està cercant…", "No elements found." : "No s'ha trobat cap element.", - "Search globally" : "Cerca globalment", + "Search everywhere" : "Cerca a tot arreu", "Guest" : "Convidat", "Group" : "Grup", "Email" : "Adreça electrònica", @@ -258,7 +254,6 @@ OC.L10N.register( "By uploading files, you agree to the terms of service." : "Per la pujada de fitxers, accepteu les condicions del servei.", "View terms of service" : "Consulta els termes del servei", "Terms of service" : "Condicions del servei", - "Share with {userName}" : "Comparteix amb {userName}", "Share with email {email}" : "Comparteix amb l'adreça electrònica {email}", "Share with group" : "Comparteix amb el grup", "Share in conversation" : "Comparteix en la conversa", @@ -303,10 +298,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "No s'han pogut obtenir els elements compartits heretats", "Link shares" : "Enllaços de compartició", "Shares" : "Elements compartits", - "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." : "Utilitzeu aquest mètode per compartició de fitxers amb persones o equips de la vostra organització. Si el destinatari ja té accés a la compartició però no la pot localitzar, podeu enviar-li l'enllaç de compartició intern per accedir-hi fàcilment.", - "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." : "Utilitzeu aquest mètode per compartir fitxers amb persones o organitzacions fora de la vostra organització. Els fitxers i les carpetes es poden compartir mitjançant enllaços compartits públics i adreces de correu electrònic. També podeu compartir amb altres comptes de Nextcloud allotjats en diferents instàncies mitjançant el seu ID de núvol federat.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Comparticions que no formen part de comparticions internes o externes. Això pot ser compartit des d'aplicacions o d'altres fonts.", - "Share with accounts and teams" : "Comparteix amb comptes i equips", "Unable to load the shares list" : "No s'ha pogut carregar la llista d'elements compartits", "Expires {relativetime}" : "Caduca {relativetime}", "this share just expired." : "aquest element compartit acaba de caducar.", @@ -325,7 +316,7 @@ OC.L10N.register( "Shared" : "S'ha compartit", "Shared by {ownerDisplayName}" : "Compartit per {ownerDisplayName}", "Shared multiple times with different people" : "S'ha compartit diverses vegades amb persones diferents", - "Show sharing options" : "Mostra les opcions d'ús compartit", + "Sharing options" : "Opcions per a compartir", "Shared with others" : "Compartit amb altres", "Create file request" : "Crea una sol·licitud de fitxer", "Upload files to {foldername}" : "Pujada de fitxers a {foldername}.", @@ -401,13 +392,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "No s'ha pogut afegir l'enllaç públic al vostre Nextcloud", "You are not allowed to edit link shares that you don't own" : "No teniu permès editar els elements compartits d'enllaços dels que no sigueu propietaris", "Download all files" : "Baixa tots els fitxers", + "Link copied to clipboard" : "Enllaç copiat al porta-retalls", "_1 email address already added_::_{count} email addresses already added_" : ["Ja s'ha afegit 1 adreça de correu","Ja s’han afegit {count} adreces de correu"], "_1 email address added_::_{count} email addresses added_" : ["S'ha afegit 1 adreça de correu","S’han afegit {count} adreces de correu"], + "Copy to clipboard" : "Copia-ho al porta-retalls", + "Copy internal link to clipboard" : "Copia l'enllaç intern al porta-retalls", + "Only works for people with access to this folder" : "Només funciona per a les persones amb accés a aquesta carpeta", + "Only works for people with access to this file" : "Només funciona per a les persones amb accés a aquest fitxer", + "Copy public link of \"{title}\" to clipboard" : "Copia l'enllaç públic de «{title}» al porta-retalls", + "Search globally" : "Cerca globalment", "Search for share recipients" : "Cerqueu destinataris de l'element compartit", "No recommendations. Start typing." : "No hi ha cap recomanació. Comenceu a escriure.", "To upload files, you need to provide your name first." : "Per la pujada de fitxers, primer heu de proporcionar el vostre nom.", "Enter your name" : "Introdueix el teu nom", "Submit name" : "Envia el nom", + "Share with {userName}" : "Comparteix amb {userName}", + "Show sharing options" : "Mostra les opcions d'ús compartit", "Share note" : "Nota de l'element compartit", "Upload files to %s" : "Puja fitxers a %s", "%s shared a folder with you." : "%s ha compartit una carpeta amb tu.", @@ -417,6 +417,10 @@ OC.L10N.register( "Uploaded files:" : "Fitxers pujats:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Si pugeu fitxers, accepteu les %1$scondicions del servei%2$s.", "Name" : "Nom", + "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." : "Utilitzeu aquest mètode per compartició de fitxers amb persones o equips de la vostra organització. Si el destinatari ja té accés a la compartició però no la pot localitzar, podeu enviar-li l'enllaç de compartició intern per accedir-hi fàcilment.", + "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." : "Utilitzeu aquest mètode per compartir fitxers amb persones o organitzacions fora de la vostra organització. Els fitxers i les carpetes es poden compartir mitjançant enllaços compartits públics i adreces de correu electrònic. També podeu compartir amb altres comptes de Nextcloud allotjats en diferents instàncies mitjançant el seu ID de núvol federat.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Comparticions que no formen part de comparticions internes o externes. Això pot ser compartit des d'aplicacions o d'altres fonts.", + "Share with accounts and teams" : "Comparteix amb comptes i equips", "Email, federated cloud id" : "Correu, identificador del núvol federat", "Filename must not be empty." : "El nom del fitxer no ha d'estar buit." }, diff --git a/apps/files_sharing/l10n/ca.json b/apps/files_sharing/l10n/ca.json index 9ea9ce823ce..cedf13e7f22 100644 --- a/apps/files_sharing/l10n/ca.json +++ b/apps/files_sharing/l10n/ca.json @@ -132,7 +132,7 @@ "Generate a new password" : "Genereu una nova contrasenya", "Your administrator has enforced a password protection." : "El vostre administrador ha aplicat una protecció amb contrasenya.", "Automatically copying failed, please copy the share link manually" : "S'ha produït un error en copiar automàticament; copieu l'enllaç de compartició manualment", - "Link copied to clipboard" : "Enllaç copiat al porta-retalls", + "Link copied" : "S'ha copiat l'enllaç", "Email already added" : "El correu electrònic ja s'ha afegit", "Invalid email address" : "L'adreça de correu no és vàlida", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["L'adreça de correu següent no és vàlida: {emails}","Les adreces de correu següents no son vàlides: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["S'ha afegit {count} adreça de correu","S’han afegit {count} adreces de correu"], "You can now share the link below to allow people to upload files to your directory." : "Ara podeu compartir l'enllaç següent per permetre que la gent pugui pujar fitxers al vostre directori.", "Share link" : "Comparteix un enllaç", - "Copy to clipboard" : "Copia-ho al porta-retalls", + "Copy" : "Còpia", "Send link via email" : "Envia l'enllaç per correu electrònic", "Enter an email address or paste a list" : "Introduïu una adreça de correu electrònic o enganxeu una llista", "Remove email" : "Elimina el correu electrònic", @@ -198,10 +198,7 @@ "Via “{folder}”" : "Mitjançant «{folder}»", "Unshare" : "Deixa de compartir", "Cannot copy, please copy the link manually" : "No es pot copiar; copieu l'enllaç manualment", - "Copy internal link to clipboard" : "Copia l'enllaç intern al porta-retalls", - "Only works for people with access to this folder" : "Només funciona per a les persones amb accés a aquesta carpeta", - "Only works for people with access to this file" : "Només funciona per a les persones amb accés a aquest fitxer", - "Link copied" : "S'ha copiat l'enllaç", + "Copy internal link" : "Copia l'enllaç intern", "Internal link" : "Enllaç intern", "{shareWith} by {initiator}" : "{shareWith} per {initiator}", "Shared via link by {initiator}" : "Compartit amb un enllaç per {initiator}", @@ -212,7 +209,6 @@ "Share link ({index})" : "Comparteix un enllaç ({index})", "Create public link" : "Crea un enllaç públic", "Actions for \"{title}\"" : "Accions per a «{title}»", - "Copy public link of \"{title}\" to clipboard" : "Copia l'enllaç públic de «{title}» al porta-retalls", "Error, please enter proper password and/or expiration date" : "S'ha produït un error, introduïu la contrasenya o la data de caducitat adequada", "Link share created" : "S'ha creat l'enllaç compartit", "Error while creating the share" : "S'ha produït un error en crear l'element compartit", @@ -238,7 +234,7 @@ "Name, email, or Federated Cloud ID …" : "Nom, adreça electrònica o ID de núvol federat…", "Searching …" : "S'està cercant…", "No elements found." : "No s'ha trobat cap element.", - "Search globally" : "Cerca globalment", + "Search everywhere" : "Cerca a tot arreu", "Guest" : "Convidat", "Group" : "Grup", "Email" : "Adreça electrònica", @@ -256,7 +252,6 @@ "By uploading files, you agree to the terms of service." : "Per la pujada de fitxers, accepteu les condicions del servei.", "View terms of service" : "Consulta els termes del servei", "Terms of service" : "Condicions del servei", - "Share with {userName}" : "Comparteix amb {userName}", "Share with email {email}" : "Comparteix amb l'adreça electrònica {email}", "Share with group" : "Comparteix amb el grup", "Share in conversation" : "Comparteix en la conversa", @@ -301,10 +296,6 @@ "Unable to fetch inherited shares" : "No s'han pogut obtenir els elements compartits heretats", "Link shares" : "Enllaços de compartició", "Shares" : "Elements compartits", - "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." : "Utilitzeu aquest mètode per compartició de fitxers amb persones o equips de la vostra organització. Si el destinatari ja té accés a la compartició però no la pot localitzar, podeu enviar-li l'enllaç de compartició intern per accedir-hi fàcilment.", - "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." : "Utilitzeu aquest mètode per compartir fitxers amb persones o organitzacions fora de la vostra organització. Els fitxers i les carpetes es poden compartir mitjançant enllaços compartits públics i adreces de correu electrònic. També podeu compartir amb altres comptes de Nextcloud allotjats en diferents instàncies mitjançant el seu ID de núvol federat.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Comparticions que no formen part de comparticions internes o externes. Això pot ser compartit des d'aplicacions o d'altres fonts.", - "Share with accounts and teams" : "Comparteix amb comptes i equips", "Unable to load the shares list" : "No s'ha pogut carregar la llista d'elements compartits", "Expires {relativetime}" : "Caduca {relativetime}", "this share just expired." : "aquest element compartit acaba de caducar.", @@ -323,7 +314,7 @@ "Shared" : "S'ha compartit", "Shared by {ownerDisplayName}" : "Compartit per {ownerDisplayName}", "Shared multiple times with different people" : "S'ha compartit diverses vegades amb persones diferents", - "Show sharing options" : "Mostra les opcions d'ús compartit", + "Sharing options" : "Opcions per a compartir", "Shared with others" : "Compartit amb altres", "Create file request" : "Crea una sol·licitud de fitxer", "Upload files to {foldername}" : "Pujada de fitxers a {foldername}.", @@ -399,13 +390,22 @@ "Failed to add the public link to your Nextcloud" : "No s'ha pogut afegir l'enllaç públic al vostre Nextcloud", "You are not allowed to edit link shares that you don't own" : "No teniu permès editar els elements compartits d'enllaços dels que no sigueu propietaris", "Download all files" : "Baixa tots els fitxers", + "Link copied to clipboard" : "Enllaç copiat al porta-retalls", "_1 email address already added_::_{count} email addresses already added_" : ["Ja s'ha afegit 1 adreça de correu","Ja s’han afegit {count} adreces de correu"], "_1 email address added_::_{count} email addresses added_" : ["S'ha afegit 1 adreça de correu","S’han afegit {count} adreces de correu"], + "Copy to clipboard" : "Copia-ho al porta-retalls", + "Copy internal link to clipboard" : "Copia l'enllaç intern al porta-retalls", + "Only works for people with access to this folder" : "Només funciona per a les persones amb accés a aquesta carpeta", + "Only works for people with access to this file" : "Només funciona per a les persones amb accés a aquest fitxer", + "Copy public link of \"{title}\" to clipboard" : "Copia l'enllaç públic de «{title}» al porta-retalls", + "Search globally" : "Cerca globalment", "Search for share recipients" : "Cerqueu destinataris de l'element compartit", "No recommendations. Start typing." : "No hi ha cap recomanació. Comenceu a escriure.", "To upload files, you need to provide your name first." : "Per la pujada de fitxers, primer heu de proporcionar el vostre nom.", "Enter your name" : "Introdueix el teu nom", "Submit name" : "Envia el nom", + "Share with {userName}" : "Comparteix amb {userName}", + "Show sharing options" : "Mostra les opcions d'ús compartit", "Share note" : "Nota de l'element compartit", "Upload files to %s" : "Puja fitxers a %s", "%s shared a folder with you." : "%s ha compartit una carpeta amb tu.", @@ -415,6 +415,10 @@ "Uploaded files:" : "Fitxers pujats:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Si pugeu fitxers, accepteu les %1$scondicions del servei%2$s.", "Name" : "Nom", + "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." : "Utilitzeu aquest mètode per compartició de fitxers amb persones o equips de la vostra organització. Si el destinatari ja té accés a la compartició però no la pot localitzar, podeu enviar-li l'enllaç de compartició intern per accedir-hi fàcilment.", + "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." : "Utilitzeu aquest mètode per compartir fitxers amb persones o organitzacions fora de la vostra organització. Els fitxers i les carpetes es poden compartir mitjançant enllaços compartits públics i adreces de correu electrònic. També podeu compartir amb altres comptes de Nextcloud allotjats en diferents instàncies mitjançant el seu ID de núvol federat.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Comparticions que no formen part de comparticions internes o externes. Això pot ser compartit des d'aplicacions o d'altres fonts.", + "Share with accounts and teams" : "Comparteix amb comptes i equips", "Email, federated cloud id" : "Correu, identificador del núvol federat", "Filename must not be empty." : "El nom del fitxer no ha d'estar buit." },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_sharing/l10n/cs.js b/apps/files_sharing/l10n/cs.js index c499e7f731b..e0d0f35c57b 100644 --- a/apps/files_sharing/l10n/cs.js +++ b/apps/files_sharing/l10n/cs.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Vytvořit nové heslo", "Your administrator has enforced a password protection." : "Váš správce vynutil ochranu heslem.", "Automatically copying failed, please copy the share link manually" : "Automatické zkopírování se nezdařilo – zkopírujte prosím odkaz pro sdílení ručně", - "Link copied to clipboard" : "Odkaz zkopírován do schánky", + "Link copied" : "Odkaz zkopírován", "Email already added" : "E-mail už byl přidán", "Invalid email address" : "Neplatná e-mailová adresa", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Následující e-mailová adresa není platná: {emails}","Následující e-mailové adresy nejsou platné: {emails}","Následující e-mailové adresy nejsou platné: {emails}","Následující e-mailové adresy nejsou platné: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count} e-mailová adresa přidána","{count} e-mailové adresy přidány","{count} e-mailových adres přidáno","{count} e-mailové adresy přidány"], "You can now share the link below to allow people to upload files to your directory." : "Nyní můžete sdílet níže uvedený odkaz a umožnit lidem nahrávat soubory do vaší složky.", "Share link" : "Odkaz pro sdílení", - "Copy to clipboard" : "Zkopírovat do schránky", + "Copy" : "Zkopírovat", "Send link via email" : "Odeslat odkaz přes e-mail", "Enter an email address or paste a list" : "Zadejte e-mailovou adresu nebo vložte seznam", "Remove email" : "Odebrat e-mail", @@ -201,10 +201,7 @@ OC.L10N.register( "Via “{folder}”" : "Prostřednictvím „{folder}“", "Unshare" : "Zrušit sdílení", "Cannot copy, please copy the link manually" : "Nedaří se zkopírovat, zkopírujte odkaz ručně", - "Copy internal link to clipboard" : "Zkopírovat interní odkaz do schránky", - "Only works for people with access to this folder" : "Funguje pouze pro uživatele, kteří mají k této složce přístup", - "Only works for people with access to this file" : "Funguje pouze pro uživatele, kteří mají k tomuto souboru přístup", - "Link copied" : "Odkaz zkopírován", + "Copy internal link" : "Zkopírovat interní odkaz", "Internal link" : "Interní odkaz", "{shareWith} by {initiator}" : "{shareWith} od {initiator}", "Shared via link by {initiator}" : "{initiator} sdílí odkazem", @@ -215,7 +212,6 @@ OC.L10N.register( "Share link ({index})" : "Odkaz na sdílení ({index})", "Create public link" : "Vytvořit veřejný odkaz", "Actions for \"{title}\"" : "Akce pro „{title}", - "Copy public link of \"{title}\" to clipboard" : "Zkopírovat veřejný odkaz na „{title}“ do schránky", "Error, please enter proper password and/or expiration date" : "Chyba – zadejte správné heslo a/nebo datum skončení platnosti", "Link share created" : "Odkaz na sdílení vytvořen", "Error while creating the share" : "Chyba při vytváření sdílení", @@ -241,7 +237,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Jméno, e-mail nebo identifikátor ve federovaném cloudu…", "Searching …" : "Hledání…", "No elements found." : "Nenalezeny žádné prvky.", - "Search globally" : "Hledat všude", + "Search everywhere" : "Hledat všude", "Guest" : "Host", "Group" : "Skupina", "Email" : "E-mail", @@ -260,7 +256,6 @@ OC.L10N.register( "Successfully uploaded files" : "Soubory úspěšně nahrány", "View terms of service" : "Zobrazit smluvní podmínky", "Terms of service" : "Všeobecné podmínky", - "Share with {userName}" : "Nasdílet pro {userName}", "Share with email {email}" : "Nasdílet e-mailu {email}", "Share with group" : "Nasdílet skupině", "Share in conversation" : "Nasdílet v konverzaci", @@ -305,13 +300,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Nedaří se získat převzatá sdílení", "Link shares" : "Sdílení odkazem", "Shares" : "Sdílení", - "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." : "Tuto metodu použijte pro nasdílení souborů jednotlivcům nebo týmům ve vaší organizaci. Pokud příjemce už má přístup ke sdílení, ale nemůže ho nalézt, můžete mu přístup usnadnit zasláním vnitřního odkazu na sdílení.", - "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." : "Tuto metodu používejte pro sdílení souborů s jednotlivci nebo organizacemi vně té vaší. Soubory a složky je možné nasdílet prostřednictvím veřejných odkazů na sdílení a e-mailových adres. Je také možné nasdílet ostatním Nextcloud účtům hostovaným na různých instancích a to prostřednictvím jejich identifikátorů v rámci federovaného cloudu.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Sdílení, která nejsou součástí interních nebo externích sdílení. Toto mohou být sdílení z aplikací nebo jiných zdrojů.", - "Share with accounts, teams, federated cloud IDs" : "Nasdílejte účtům, týmům, identifikátorům v rámci federovaného cloudu", - "Share with accounts and teams" : "Nasdílet účtům a týmům", - "Federated cloud ID" : "Identifikátor v rámci federovaného cloudu", - "Email, federated cloud ID" : "E-mail, identif. federovaného cloudu", "Unable to load the shares list" : "Nedaří se načíst seznam sdílení", "Expires {relativetime}" : "Platnost končí {relativetime}", "this share just expired." : "platnost tohoto sdílení právě skončila.", @@ -330,7 +318,7 @@ OC.L10N.register( "Shared" : "Sdíleno", "Shared by {ownerDisplayName}" : "Nasdílel(a) {ownerDisplayName}", "Shared multiple times with different people" : "Nasdílet několikrát různým lidem", - "Show sharing options" : "Zobrazit předvolby pro sdílení", + "Sharing options" : "Předvolby pro sdílení", "Shared with others" : "Sdíleno s ostatními", "Create file request" : "Vytvořit žádost o soubor", "Upload files to {foldername}" : "Nahrát soubory do {foldername}", @@ -417,13 +405,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Nepodařilo se přidání veřejného odkazu do Nextcloud", "You are not allowed to edit link shares that you don't own" : "Nemáte oprávnění upravovat sdílení odkazem, která nevlastníte", "Download all files" : "Stáhnout všechny soubory", + "Link copied to clipboard" : "Odkaz zkopírován do schánky", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-mailová adresa už přidána","{count} e-mailové adresy už přidány","{count} e-mailových adres už přidáno","{count} e-mailové adresy už přidány"], "_1 email address added_::_{count} email addresses added_" : ["Jedna e-mailová adresa přidána","{count} e-mailové adresy přidány","{count} e-mailových adres přidáno","{count} e-mailové adresy přidány"], + "Copy to clipboard" : "Zkopírovat do schránky", + "Copy internal link to clipboard" : "Zkopírovat interní odkaz do schránky", + "Only works for people with access to this folder" : "Funguje pouze pro uživatele, kteří mají k této složce přístup", + "Only works for people with access to this file" : "Funguje pouze pro uživatele, kteří mají k tomuto souboru přístup", + "Copy public link of \"{title}\" to clipboard" : "Zkopírovat veřejný odkaz na „{title}“ do schránky", + "Search globally" : "Hledat všude", "Search for share recipients" : "Vyhledat příjemce sdílení", "No recommendations. Start typing." : "Žádná doporučení. Pište", "To upload files, you need to provide your name first." : "Aby bylo možné nahrávat soubory, je třeba nejprve zadat své jméno.", "Enter your name" : "Zadejte své jméno", "Submit name" : "Odeslat jméno", + "Share with {userName}" : "Nasdílet pro {userName}", + "Show sharing options" : "Zobrazit předvolby pro sdílení", "Share note" : "Sdílet poznámku", "Upload files to %s" : "Nahrát soubory do %s", "%s shared a folder with you." : "%s vám nasdílel(a) složku.", @@ -433,7 +430,12 @@ OC.L10N.register( "Uploaded files:" : "Nahrané soubory:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Nahráním souborů vyjadřujete souhlas s %1$svšeobecnými podmínkami%2$s.", "Name" : "Název", + "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." : "Tuto metodu použijte pro nasdílení souborů jednotlivcům nebo týmům ve vaší organizaci. Pokud příjemce už má přístup ke sdílení, ale nemůže ho nalézt, můžete mu přístup usnadnit zasláním vnitřního odkazu na sdílení.", + "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." : "Tuto metodu používejte pro sdílení souborů s jednotlivci nebo organizacemi vně té vaší. Soubory a složky je možné nasdílet prostřednictvím veřejných odkazů na sdílení a e-mailových adres. Je také možné nasdílet ostatním Nextcloud účtům hostovaným na různých instancích a to prostřednictvím jejich identifikátorů v rámci federovaného cloudu.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Sdílení, která nejsou součástí interních nebo externích sdílení. Toto mohou být sdílení z aplikací nebo jiných zdrojů.", "Share with accounts, teams, federated cloud id" : "Nasdílejte účtům, týmům, identifikátorům v rámci federovaného cloudu", + "Share with accounts and teams" : "Nasdílet účtům a týmům", + "Federated cloud ID" : "Identifikátor v rámci federovaného cloudu", "Email, federated cloud id" : "E-mail, identif. federovaného cloudu", "Filename must not be empty." : "Je třeba vyplnit název souboru." }, diff --git a/apps/files_sharing/l10n/cs.json b/apps/files_sharing/l10n/cs.json index feb4c661923..8f24b43e8ea 100644 --- a/apps/files_sharing/l10n/cs.json +++ b/apps/files_sharing/l10n/cs.json @@ -132,7 +132,7 @@ "Generate a new password" : "Vytvořit nové heslo", "Your administrator has enforced a password protection." : "Váš správce vynutil ochranu heslem.", "Automatically copying failed, please copy the share link manually" : "Automatické zkopírování se nezdařilo – zkopírujte prosím odkaz pro sdílení ručně", - "Link copied to clipboard" : "Odkaz zkopírován do schánky", + "Link copied" : "Odkaz zkopírován", "Email already added" : "E-mail už byl přidán", "Invalid email address" : "Neplatná e-mailová adresa", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Následující e-mailová adresa není platná: {emails}","Následující e-mailové adresy nejsou platné: {emails}","Následující e-mailové adresy nejsou platné: {emails}","Následující e-mailové adresy nejsou platné: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count} e-mailová adresa přidána","{count} e-mailové adresy přidány","{count} e-mailových adres přidáno","{count} e-mailové adresy přidány"], "You can now share the link below to allow people to upload files to your directory." : "Nyní můžete sdílet níže uvedený odkaz a umožnit lidem nahrávat soubory do vaší složky.", "Share link" : "Odkaz pro sdílení", - "Copy to clipboard" : "Zkopírovat do schránky", + "Copy" : "Zkopírovat", "Send link via email" : "Odeslat odkaz přes e-mail", "Enter an email address or paste a list" : "Zadejte e-mailovou adresu nebo vložte seznam", "Remove email" : "Odebrat e-mail", @@ -199,10 +199,7 @@ "Via “{folder}”" : "Prostřednictvím „{folder}“", "Unshare" : "Zrušit sdílení", "Cannot copy, please copy the link manually" : "Nedaří se zkopírovat, zkopírujte odkaz ručně", - "Copy internal link to clipboard" : "Zkopírovat interní odkaz do schránky", - "Only works for people with access to this folder" : "Funguje pouze pro uživatele, kteří mají k této složce přístup", - "Only works for people with access to this file" : "Funguje pouze pro uživatele, kteří mají k tomuto souboru přístup", - "Link copied" : "Odkaz zkopírován", + "Copy internal link" : "Zkopírovat interní odkaz", "Internal link" : "Interní odkaz", "{shareWith} by {initiator}" : "{shareWith} od {initiator}", "Shared via link by {initiator}" : "{initiator} sdílí odkazem", @@ -213,7 +210,6 @@ "Share link ({index})" : "Odkaz na sdílení ({index})", "Create public link" : "Vytvořit veřejný odkaz", "Actions for \"{title}\"" : "Akce pro „{title}", - "Copy public link of \"{title}\" to clipboard" : "Zkopírovat veřejný odkaz na „{title}“ do schránky", "Error, please enter proper password and/or expiration date" : "Chyba – zadejte správné heslo a/nebo datum skončení platnosti", "Link share created" : "Odkaz na sdílení vytvořen", "Error while creating the share" : "Chyba při vytváření sdílení", @@ -239,7 +235,7 @@ "Name, email, or Federated Cloud ID …" : "Jméno, e-mail nebo identifikátor ve federovaném cloudu…", "Searching …" : "Hledání…", "No elements found." : "Nenalezeny žádné prvky.", - "Search globally" : "Hledat všude", + "Search everywhere" : "Hledat všude", "Guest" : "Host", "Group" : "Skupina", "Email" : "E-mail", @@ -258,7 +254,6 @@ "Successfully uploaded files" : "Soubory úspěšně nahrány", "View terms of service" : "Zobrazit smluvní podmínky", "Terms of service" : "Všeobecné podmínky", - "Share with {userName}" : "Nasdílet pro {userName}", "Share with email {email}" : "Nasdílet e-mailu {email}", "Share with group" : "Nasdílet skupině", "Share in conversation" : "Nasdílet v konverzaci", @@ -303,13 +298,6 @@ "Unable to fetch inherited shares" : "Nedaří se získat převzatá sdílení", "Link shares" : "Sdílení odkazem", "Shares" : "Sdílení", - "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." : "Tuto metodu použijte pro nasdílení souborů jednotlivcům nebo týmům ve vaší organizaci. Pokud příjemce už má přístup ke sdílení, ale nemůže ho nalézt, můžete mu přístup usnadnit zasláním vnitřního odkazu na sdílení.", - "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." : "Tuto metodu používejte pro sdílení souborů s jednotlivci nebo organizacemi vně té vaší. Soubory a složky je možné nasdílet prostřednictvím veřejných odkazů na sdílení a e-mailových adres. Je také možné nasdílet ostatním Nextcloud účtům hostovaným na různých instancích a to prostřednictvím jejich identifikátorů v rámci federovaného cloudu.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Sdílení, která nejsou součástí interních nebo externích sdílení. Toto mohou být sdílení z aplikací nebo jiných zdrojů.", - "Share with accounts, teams, federated cloud IDs" : "Nasdílejte účtům, týmům, identifikátorům v rámci federovaného cloudu", - "Share with accounts and teams" : "Nasdílet účtům a týmům", - "Federated cloud ID" : "Identifikátor v rámci federovaného cloudu", - "Email, federated cloud ID" : "E-mail, identif. federovaného cloudu", "Unable to load the shares list" : "Nedaří se načíst seznam sdílení", "Expires {relativetime}" : "Platnost končí {relativetime}", "this share just expired." : "platnost tohoto sdílení právě skončila.", @@ -328,7 +316,7 @@ "Shared" : "Sdíleno", "Shared by {ownerDisplayName}" : "Nasdílel(a) {ownerDisplayName}", "Shared multiple times with different people" : "Nasdílet několikrát různým lidem", - "Show sharing options" : "Zobrazit předvolby pro sdílení", + "Sharing options" : "Předvolby pro sdílení", "Shared with others" : "Sdíleno s ostatními", "Create file request" : "Vytvořit žádost o soubor", "Upload files to {foldername}" : "Nahrát soubory do {foldername}", @@ -415,13 +403,22 @@ "Failed to add the public link to your Nextcloud" : "Nepodařilo se přidání veřejného odkazu do Nextcloud", "You are not allowed to edit link shares that you don't own" : "Nemáte oprávnění upravovat sdílení odkazem, která nevlastníte", "Download all files" : "Stáhnout všechny soubory", + "Link copied to clipboard" : "Odkaz zkopírován do schánky", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-mailová adresa už přidána","{count} e-mailové adresy už přidány","{count} e-mailových adres už přidáno","{count} e-mailové adresy už přidány"], "_1 email address added_::_{count} email addresses added_" : ["Jedna e-mailová adresa přidána","{count} e-mailové adresy přidány","{count} e-mailových adres přidáno","{count} e-mailové adresy přidány"], + "Copy to clipboard" : "Zkopírovat do schránky", + "Copy internal link to clipboard" : "Zkopírovat interní odkaz do schránky", + "Only works for people with access to this folder" : "Funguje pouze pro uživatele, kteří mají k této složce přístup", + "Only works for people with access to this file" : "Funguje pouze pro uživatele, kteří mají k tomuto souboru přístup", + "Copy public link of \"{title}\" to clipboard" : "Zkopírovat veřejný odkaz na „{title}“ do schránky", + "Search globally" : "Hledat všude", "Search for share recipients" : "Vyhledat příjemce sdílení", "No recommendations. Start typing." : "Žádná doporučení. Pište", "To upload files, you need to provide your name first." : "Aby bylo možné nahrávat soubory, je třeba nejprve zadat své jméno.", "Enter your name" : "Zadejte své jméno", "Submit name" : "Odeslat jméno", + "Share with {userName}" : "Nasdílet pro {userName}", + "Show sharing options" : "Zobrazit předvolby pro sdílení", "Share note" : "Sdílet poznámku", "Upload files to %s" : "Nahrát soubory do %s", "%s shared a folder with you." : "%s vám nasdílel(a) složku.", @@ -431,7 +428,12 @@ "Uploaded files:" : "Nahrané soubory:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Nahráním souborů vyjadřujete souhlas s %1$svšeobecnými podmínkami%2$s.", "Name" : "Název", + "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." : "Tuto metodu použijte pro nasdílení souborů jednotlivcům nebo týmům ve vaší organizaci. Pokud příjemce už má přístup ke sdílení, ale nemůže ho nalézt, můžete mu přístup usnadnit zasláním vnitřního odkazu na sdílení.", + "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." : "Tuto metodu používejte pro sdílení souborů s jednotlivci nebo organizacemi vně té vaší. Soubory a složky je možné nasdílet prostřednictvím veřejných odkazů na sdílení a e-mailových adres. Je také možné nasdílet ostatním Nextcloud účtům hostovaným na různých instancích a to prostřednictvím jejich identifikátorů v rámci federovaného cloudu.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Sdílení, která nejsou součástí interních nebo externích sdílení. Toto mohou být sdílení z aplikací nebo jiných zdrojů.", "Share with accounts, teams, federated cloud id" : "Nasdílejte účtům, týmům, identifikátorům v rámci federovaného cloudu", + "Share with accounts and teams" : "Nasdílet účtům a týmům", + "Federated cloud ID" : "Identifikátor v rámci federovaného cloudu", "Email, federated cloud id" : "E-mail, identif. federovaného cloudu", "Filename must not be empty." : "Je třeba vyplnit název souboru." },"pluralForm" :"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_sharing/l10n/da.js b/apps/files_sharing/l10n/da.js index 463c1a69221..8ee68b0b886 100644 --- a/apps/files_sharing/l10n/da.js +++ b/apps/files_sharing/l10n/da.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Generer en ny adgangskode", "Your administrator has enforced a password protection." : "Din administrator har gennemtvunget en adgangskodebeskyttelse", "Automatically copying failed, please copy the share link manually" : "Automatisk kopiering fejlede. Kopier venligst delingslinket manuelt", - "Link copied to clipboard" : "Link kopieret til udklipsholder", + "Link copied" : "Link kopieret", "Email already added" : "E-mailen er allerede tilføjet", "Invalid email address" : "Ugyldig e-mailadresse", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Den følgende e-mailadresse er ikke gldig: {emails}","De følgende e-mailadresser er ikke gyldige: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count} e-mailadresse tilføjet","{count} e-mailadresser tilføjet"], "You can now share the link below to allow people to upload files to your directory." : "Du kan nu dele linket nedenfor for at tillade folk at uploade filer til din mappe.", "Share link" : "Del link", - "Copy to clipboard" : "Kopier til udklipsholder", + "Copy" : "Kopiér", "Send link via email" : "Send link via e-mail", "Enter an email address or paste a list" : "Angiv en e-mailadresse eller indsæt en liste", "Remove email" : "Fjern e-mail", @@ -200,10 +200,7 @@ OC.L10N.register( "Via “{folder}”" : "Via “{folder}”", "Unshare" : "Fjern deling", "Cannot copy, please copy the link manually" : "Kan ikke kopiere, kopier venligst linket manuelt", - "Copy internal link to clipboard" : "Kopier internt link til klippebord", - "Only works for people with access to this folder" : "Virker kun for personer med adgang til denne mappe", - "Only works for people with access to this file" : "Virker kun for personer med adgang til denne fil", - "Link copied" : "Link kopieret", + "Copy internal link" : "Kopier internt link", "Internal link" : "Internt link", "{shareWith} by {initiator}" : "{shareWith} af {initiator}", "Shared via link by {initiator}" : "Delt via link af {initiator}", @@ -214,7 +211,6 @@ OC.L10N.register( "Share link ({index})" : "Delingslink ({index})", "Create public link" : "Opret offentligt link", "Actions for \"{title}\"" : "Handlinger for \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Kopier offentligt link af \"{title}\" til udklipsholder", "Error, please enter proper password and/or expiration date" : "Fejl, angiv venligst passende adgangskode og/eller udløbsdato", "Link share created" : "Linkdeling oprettet", "Error while creating the share" : "Fejl under oprettelse af delingen", @@ -240,7 +236,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Navn, e-mail, eller sammenkoblings cloud ID …", "Searching …" : "Søger ...", "No elements found." : "Ingen elementer fundet.", - "Search globally" : "Søg globalt", + "Search everywhere" : "Søg overalt", "Guest" : "Gæst", "Group" : "Gruppe", "Email" : "E-mail", @@ -258,7 +254,6 @@ OC.L10N.register( "By uploading files, you agree to the terms of service." : "Ved at uploade filer, acceptere du servicebetingelserne.", "View terms of service" : "Vis servicebetingelser", "Terms of service" : "Servicebetingelser", - "Share with {userName}" : "Del med {userName}", "Share with email {email}" : "Del med e-mail {email}", "Share with group" : "Del med gruppe", "Share in conversation" : "Del i samtale", @@ -303,10 +298,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Kan ikke hente nedarvede delinger", "Link shares" : "Link delinger", "Shares" : "Delinger", - "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." : "Anvend denne metode til at dele filer med brugere eller teams indenfor din organisation. Hvis modtageren allerede har adgang til delingen, men ikke kan finde det, så kan du sende det interne delingslink til dem, så de har let adgang", - "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." : "Anvend denne metode til at dele filer med brugere eller organisationer udenfor din organisation. Filer og mapper kan deles via offentlige delingslinks og e-mailadresser. Du kan også dele til andre Nextcloud konti der er hostet på andre instanser ved anvendelse af sammenkoblings cloud ID.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Delinger som ikke er del af de interne eller eksterne delinger. Dette kan være delinger fra apps eller andre kilder.", - "Share with accounts and teams" : "Deling med konti og teams", "Unable to load the shares list" : "Kan ikke indlæse liste med delinger", "Expires {relativetime}" : "Udløber {relativetime}", "this share just expired." : "denne deling er netop udløbet.", @@ -325,7 +316,6 @@ OC.L10N.register( "Shared" : "Delt", "Shared by {ownerDisplayName}" : "Delt af {ownerDisplayName}", "Shared multiple times with different people" : "Delt flere gange med forskellige mennesker", - "Show sharing options" : "Vis delingsmuligheder", "Shared with others" : "Delt med andre", "Create file request" : "Opret filforespørgsel", "Upload files to {foldername}" : "Upload filer til {foldername}", @@ -401,13 +391,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Fejl ved tilføjelse af offentligt link til din Nextcloud", "You are not allowed to edit link shares that you don't own" : "Du har ikke tilladelse til at redigere link delinger som du ikke ejer", "Download all files" : "Download alle filer", + "Link copied to clipboard" : "Link kopieret til udklipsholder", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-mailadresse allerede tilføjet","{count} e-mailadresser allerede tilføjet"], "_1 email address added_::_{count} email addresses added_" : ["1 e-mailadresse tilføjet","{count} e-mailadresser tilføjet"], + "Copy to clipboard" : "Kopier til udklipsholder", + "Copy internal link to clipboard" : "Kopier internt link til klippebord", + "Only works for people with access to this folder" : "Virker kun for personer med adgang til denne mappe", + "Only works for people with access to this file" : "Virker kun for personer med adgang til denne fil", + "Copy public link of \"{title}\" to clipboard" : "Kopier offentligt link af \"{title}\" til udklipsholder", + "Search globally" : "Søg globalt", "Search for share recipients" : "Søge efter delemodtagerefor share recipients", "No recommendations. Start typing." : "Ingen anbefalinger. Begynd at skrive.", "To upload files, you need to provide your name first." : "For at uploade filer skal du først angive dit navn.", "Enter your name" : "Angiv dit navn", "Submit name" : "Angiv navn", + "Share with {userName}" : "Del med {userName}", + "Show sharing options" : "Vis delingsmuligheder", "Share note" : "Del note", "Upload files to %s" : "Upload filer til %s", "%s shared a folder with you." : "%s delte en mappe med dig.", @@ -417,6 +416,10 @@ OC.L10N.register( "Uploaded files:" : "Uploadede filer:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Ved at uploade filer accepterer du %1$sservicebetingelserne%2$s.", "Name" : "Navn", + "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." : "Anvend denne metode til at dele filer med brugere eller teams indenfor din organisation. Hvis modtageren allerede har adgang til delingen, men ikke kan finde det, så kan du sende det interne delingslink til dem, så de har let adgang", + "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." : "Anvend denne metode til at dele filer med brugere eller organisationer udenfor din organisation. Filer og mapper kan deles via offentlige delingslinks og e-mailadresser. Du kan også dele til andre Nextcloud konti der er hostet på andre instanser ved anvendelse af sammenkoblings cloud ID.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Delinger som ikke er del af de interne eller eksterne delinger. Dette kan være delinger fra apps eller andre kilder.", + "Share with accounts and teams" : "Deling med konti og teams", "Email, federated cloud id" : "E-mail, sammenkoblings cloud id", "Filename must not be empty." : "Filnavnet må ikke være tomt." }, diff --git a/apps/files_sharing/l10n/da.json b/apps/files_sharing/l10n/da.json index 73f7c3aea8e..08378bfaee9 100644 --- a/apps/files_sharing/l10n/da.json +++ b/apps/files_sharing/l10n/da.json @@ -132,7 +132,7 @@ "Generate a new password" : "Generer en ny adgangskode", "Your administrator has enforced a password protection." : "Din administrator har gennemtvunget en adgangskodebeskyttelse", "Automatically copying failed, please copy the share link manually" : "Automatisk kopiering fejlede. Kopier venligst delingslinket manuelt", - "Link copied to clipboard" : "Link kopieret til udklipsholder", + "Link copied" : "Link kopieret", "Email already added" : "E-mailen er allerede tilføjet", "Invalid email address" : "Ugyldig e-mailadresse", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Den følgende e-mailadresse er ikke gldig: {emails}","De følgende e-mailadresser er ikke gyldige: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count} e-mailadresse tilføjet","{count} e-mailadresser tilføjet"], "You can now share the link below to allow people to upload files to your directory." : "Du kan nu dele linket nedenfor for at tillade folk at uploade filer til din mappe.", "Share link" : "Del link", - "Copy to clipboard" : "Kopier til udklipsholder", + "Copy" : "Kopiér", "Send link via email" : "Send link via e-mail", "Enter an email address or paste a list" : "Angiv en e-mailadresse eller indsæt en liste", "Remove email" : "Fjern e-mail", @@ -198,10 +198,7 @@ "Via “{folder}”" : "Via “{folder}”", "Unshare" : "Fjern deling", "Cannot copy, please copy the link manually" : "Kan ikke kopiere, kopier venligst linket manuelt", - "Copy internal link to clipboard" : "Kopier internt link til klippebord", - "Only works for people with access to this folder" : "Virker kun for personer med adgang til denne mappe", - "Only works for people with access to this file" : "Virker kun for personer med adgang til denne fil", - "Link copied" : "Link kopieret", + "Copy internal link" : "Kopier internt link", "Internal link" : "Internt link", "{shareWith} by {initiator}" : "{shareWith} af {initiator}", "Shared via link by {initiator}" : "Delt via link af {initiator}", @@ -212,7 +209,6 @@ "Share link ({index})" : "Delingslink ({index})", "Create public link" : "Opret offentligt link", "Actions for \"{title}\"" : "Handlinger for \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Kopier offentligt link af \"{title}\" til udklipsholder", "Error, please enter proper password and/or expiration date" : "Fejl, angiv venligst passende adgangskode og/eller udløbsdato", "Link share created" : "Linkdeling oprettet", "Error while creating the share" : "Fejl under oprettelse af delingen", @@ -238,7 +234,7 @@ "Name, email, or Federated Cloud ID …" : "Navn, e-mail, eller sammenkoblings cloud ID …", "Searching …" : "Søger ...", "No elements found." : "Ingen elementer fundet.", - "Search globally" : "Søg globalt", + "Search everywhere" : "Søg overalt", "Guest" : "Gæst", "Group" : "Gruppe", "Email" : "E-mail", @@ -256,7 +252,6 @@ "By uploading files, you agree to the terms of service." : "Ved at uploade filer, acceptere du servicebetingelserne.", "View terms of service" : "Vis servicebetingelser", "Terms of service" : "Servicebetingelser", - "Share with {userName}" : "Del med {userName}", "Share with email {email}" : "Del med e-mail {email}", "Share with group" : "Del med gruppe", "Share in conversation" : "Del i samtale", @@ -301,10 +296,6 @@ "Unable to fetch inherited shares" : "Kan ikke hente nedarvede delinger", "Link shares" : "Link delinger", "Shares" : "Delinger", - "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." : "Anvend denne metode til at dele filer med brugere eller teams indenfor din organisation. Hvis modtageren allerede har adgang til delingen, men ikke kan finde det, så kan du sende det interne delingslink til dem, så de har let adgang", - "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." : "Anvend denne metode til at dele filer med brugere eller organisationer udenfor din organisation. Filer og mapper kan deles via offentlige delingslinks og e-mailadresser. Du kan også dele til andre Nextcloud konti der er hostet på andre instanser ved anvendelse af sammenkoblings cloud ID.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Delinger som ikke er del af de interne eller eksterne delinger. Dette kan være delinger fra apps eller andre kilder.", - "Share with accounts and teams" : "Deling med konti og teams", "Unable to load the shares list" : "Kan ikke indlæse liste med delinger", "Expires {relativetime}" : "Udløber {relativetime}", "this share just expired." : "denne deling er netop udløbet.", @@ -323,7 +314,6 @@ "Shared" : "Delt", "Shared by {ownerDisplayName}" : "Delt af {ownerDisplayName}", "Shared multiple times with different people" : "Delt flere gange med forskellige mennesker", - "Show sharing options" : "Vis delingsmuligheder", "Shared with others" : "Delt med andre", "Create file request" : "Opret filforespørgsel", "Upload files to {foldername}" : "Upload filer til {foldername}", @@ -399,13 +389,22 @@ "Failed to add the public link to your Nextcloud" : "Fejl ved tilføjelse af offentligt link til din Nextcloud", "You are not allowed to edit link shares that you don't own" : "Du har ikke tilladelse til at redigere link delinger som du ikke ejer", "Download all files" : "Download alle filer", + "Link copied to clipboard" : "Link kopieret til udklipsholder", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-mailadresse allerede tilføjet","{count} e-mailadresser allerede tilføjet"], "_1 email address added_::_{count} email addresses added_" : ["1 e-mailadresse tilføjet","{count} e-mailadresser tilføjet"], + "Copy to clipboard" : "Kopier til udklipsholder", + "Copy internal link to clipboard" : "Kopier internt link til klippebord", + "Only works for people with access to this folder" : "Virker kun for personer med adgang til denne mappe", + "Only works for people with access to this file" : "Virker kun for personer med adgang til denne fil", + "Copy public link of \"{title}\" to clipboard" : "Kopier offentligt link af \"{title}\" til udklipsholder", + "Search globally" : "Søg globalt", "Search for share recipients" : "Søge efter delemodtagerefor share recipients", "No recommendations. Start typing." : "Ingen anbefalinger. Begynd at skrive.", "To upload files, you need to provide your name first." : "For at uploade filer skal du først angive dit navn.", "Enter your name" : "Angiv dit navn", "Submit name" : "Angiv navn", + "Share with {userName}" : "Del med {userName}", + "Show sharing options" : "Vis delingsmuligheder", "Share note" : "Del note", "Upload files to %s" : "Upload filer til %s", "%s shared a folder with you." : "%s delte en mappe med dig.", @@ -415,6 +414,10 @@ "Uploaded files:" : "Uploadede filer:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Ved at uploade filer accepterer du %1$sservicebetingelserne%2$s.", "Name" : "Navn", + "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." : "Anvend denne metode til at dele filer med brugere eller teams indenfor din organisation. Hvis modtageren allerede har adgang til delingen, men ikke kan finde det, så kan du sende det interne delingslink til dem, så de har let adgang", + "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." : "Anvend denne metode til at dele filer med brugere eller organisationer udenfor din organisation. Filer og mapper kan deles via offentlige delingslinks og e-mailadresser. Du kan også dele til andre Nextcloud konti der er hostet på andre instanser ved anvendelse af sammenkoblings cloud ID.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Delinger som ikke er del af de interne eller eksterne delinger. Dette kan være delinger fra apps eller andre kilder.", + "Share with accounts and teams" : "Deling med konti og teams", "Email, federated cloud id" : "E-mail, sammenkoblings cloud id", "Filename must not be empty." : "Filnavnet må ikke være tomt." },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_sharing/l10n/de.js b/apps/files_sharing/l10n/de.js index 083db9d8e8c..79ec648162d 100644 --- a/apps/files_sharing/l10n/de.js +++ b/apps/files_sharing/l10n/de.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Ein neues Passwort erstellen", "Your administrator has enforced a password protection." : "Die Administration erzwingt einen Passwortschutz", "Automatically copying failed, please copy the share link manually" : "Automatisches Kopieren ist fehlgeschlagen, bitte den Freigabelink manuell kopieren", - "Link copied to clipboard" : "Link wurde in die Zwischenablage kopiert", + "Link copied" : "Link kopiert", "Email already added" : "E-Mail-Adresse wurde bereits hinzugefügt", "Invalid email address" : "Ungültige E-Mail-Adresse", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Die folgende E-Mail-Adresse ist ungültig: ","Die folgenden E-Mail-Adressen sind ungültig: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count} E-Mail-Adresse hinzugefügt","{count} E-Mail-Adressen hinzugefügt"], "You can now share the link below to allow people to upload files to your directory." : "Du kannst jetzt den unten stehenden Link freigeben, damit andere Dateien in dein Verzeichnis hochladen können.", "Share link" : "Link teilen", - "Copy to clipboard" : "In die Zwischenablage kopieren", + "Copy" : "Kopieren", "Send link via email" : "Link als E-Mail verschicken", "Enter an email address or paste a list" : "E-Mail-Adresse eingeben oder eine Liste einfügen", "Remove email" : "E-Mail-Adresse entfernen", @@ -201,10 +201,8 @@ OC.L10N.register( "Via “{folder}”" : "Über \"{folder}”", "Unshare" : "Freigabe aufheben", "Cannot copy, please copy the link manually" : "Kopieren fehlgeschlagen. Bitte den Link manuell kopieren.", - "Copy internal link to clipboard" : "Internen Link in die Zwischenablage kopieren", - "Only works for people with access to this folder" : "Funktioniert nur für Personen mit Zugriff auf diesen Ordner", - "Only works for people with access to this file" : "Funktioniert nur für Personen mit Zugriff auf diese Datei", - "Link copied" : "Link kopiert", + "Copy internal link" : "Internen Link kopieren", + "For people who already have access" : "Für Personen, die bereits Zugriff haben", "Internal link" : "Interner Link", "{shareWith} by {initiator}" : "{shareWith} von {initiator}", "Shared via link by {initiator}" : "Geteilt mittels Link von {initiator}", @@ -215,7 +213,7 @@ OC.L10N.register( "Share link ({index})" : "Externer Link ({index})", "Create public link" : "Öffentlichen Link erstellen", "Actions for \"{title}\"" : "Aktionen für \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Öffentlichen Link von \"{title}\" in die Zwischenablage kopieren", + "Copy public link of \"{title}\"" : "Öffentlichen Link von \"{title}\" kopieren", "Error, please enter proper password and/or expiration date" : "Fehler. Bitte gib das richtige Passwort und/oder Ablaufdatum ein.", "Link share created" : "Link-Freigabe erstellt", "Error while creating the share" : "Fehler beim Erstellen der Freigabe", @@ -241,7 +239,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Name, E-Mail-Adresse oder Federated-Cloud-ID …", "Searching …" : "Suche …", "No elements found." : "Keine Elemente gefunden.", - "Search globally" : "Global suchen", + "Search everywhere" : "Überall suchen", "Guest" : "Gast", "Group" : "Gruppe", "Email" : "E-Mail-Adresse", @@ -260,7 +258,7 @@ OC.L10N.register( "Successfully uploaded files" : "Dateien wurden hochgeladen", "View terms of service" : "Nutzungsbedingungen anzeigen", "Terms of service" : "Nutzungsbedingungen", - "Share with {userName}" : "Mit {userName} teilen", + "Share with {user}" : "Mit {user} teilen", "Share with email {email}" : "Per E-Mail {email} teilen", "Share with group" : "Mit Gruppe teilen", "Share in conversation" : "In Unterhaltungen teilen", @@ -305,13 +303,14 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Vererbte Freigaben konnten nicht geladen werden", "Link shares" : "Freigaben teilen", "Shares" : "Freigaben", - "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." : "Verwende diese Methode, um Dateien für Personen oder Teams innerhalb deiner Organisation freizugeben. Wenn der Empfangende bereits Zugriff auf die Freigabe hat, diese aber nicht finden kann, kannst du ihm den internen Freigabelink für einen einfachen Zugriff senden.", - "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." : "Verwende diese Methode, um Dateien für Personen oder Organisationen außerhalb deiner Organisation freizugeben. Dateien und Ordner können über öffentliche Freigabelinks und E-Mail-Adressen freigegeben werden. Du kannst auch Dateien für andere Nextcloud-Konten freigeben, die auf verschiedenen Instanzen gehostet werden, indem du deren Federated-Cloud-ID verwenden.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Freigaben, die nicht zu internen oder externen Freigaben gehören. Dies können Freigaben von Apps oder anderen Quellen sein.", - "Share with accounts, teams, federated cloud IDs" : "Teilen mit Konten, Teams, Federated-Cloud-IDs", - "Share with accounts and teams" : "Teile mit Konten und Teams", - "Federated cloud ID" : "Federated-Cloud-ID", - "Email, federated cloud ID" : "Name, Federated-Cloud-ID", + "Share files within your organization. Recipients who can already view the file can also use this link for easy access." : "Dateien innerhalb Ihrer Organisation teilen. Auch Empfänger, die auf die Datei bereits zugreifen können, können diesen Link für einen einfachen Zugriff nutzen.", + "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID." : "Dateien über öffentliche Links und E-Mail-Adressen mit anderen außerhalb Ihrer Organisation teilen. Du kannst Nextcloud-Konten auch auf anderen Instanzen mithilfe der föderierten Cloud-ID teilen.", + "Shares from apps or other sources which are not included in internal or external shares." : "Freigaben aus Apps oder anderen Quellen, die nicht in internen oder externen Freigaben enthalten sind.", + "Type names, teams, federated cloud IDs" : "Namen, Teams oder Federierte Cloud-IDs eingeben", + "Type names or teams" : "Namen oder Federierte Cloud-IDs eingeben", + "Type a federated cloud ID" : "Eine Federierte Cloud-ID eingeben", + "Type an email" : "Eine E-Mailadresse eingeben", + "Type an email or federated cloud ID" : "Eine E-Mailadresse oder eine Federierte Cloud-ID eingeben", "Unable to load the shares list" : "Liste der Freigaben konnte nicht geladen werden", "Expires {relativetime}" : "Läuft {relativetime} ab", "this share just expired." : "Diese Freigabe ist gerade abgelaufen.", @@ -330,7 +329,7 @@ OC.L10N.register( "Shared" : "Geteilt", "Shared by {ownerDisplayName}" : "Geteilt von {ownerDisplayName}", "Shared multiple times with different people" : "Mehrmals mit verschiedenen Personen geteilt", - "Show sharing options" : "Freigabeoptionen anzeigen", + "Sharing options" : "Freigabeoptionen", "Shared with others" : "Mit anderen geteilt", "Create file request" : "Dateianfrage erstellen", "Upload files to {foldername}" : "Dateien hochladen nach {foldername}", @@ -417,13 +416,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Der öffentliche Link konnte nicht zu deiner Nextcloud hinzugefügt werden", "You are not allowed to edit link shares that you don't own" : "Du darfst keine Linkfreigaben bearbeiten, die du nicht besitzst", "Download all files" : "Alle Dateien herunterladen", + "Link copied to clipboard" : "Link wurde in die Zwischenablage kopiert", "_1 email address already added_::_{count} email addresses already added_" : ["1 E-Mail-Adresse bereits hinzugefügt","{count} E-Mail-Adressen bereits hinzugefügt"], "_1 email address added_::_{count} email addresses added_" : ["1 E-Mail-Adresse hinzugefügt","{count} E-Mail-Adressen hinzugefügt"], + "Copy to clipboard" : "In die Zwischenablage kopieren", + "Copy internal link to clipboard" : "Internen Link in die Zwischenablage kopieren", + "Only works for people with access to this folder" : "Funktioniert nur für Personen mit Zugriff auf diesen Ordner", + "Only works for people with access to this file" : "Funktioniert nur für Personen mit Zugriff auf diese Datei", + "Copy public link of \"{title}\" to clipboard" : "Öffentlichen Link von \"{title}\" in die Zwischenablage kopieren", + "Search globally" : "Global suchen", "Search for share recipients" : "Nach Freigabe-Empfängern suchen", "No recommendations. Start typing." : "Keine Empfehlungen. Eingabe beginnen.", "To upload files, you need to provide your name first." : "Um Dateien hochzuladen, musst du zunächst deinen Namen angeben.", "Enter your name" : "Gib deinen Namen ein", "Submit name" : "Name übermitteln", + "Share with {userName}" : "Mit {userName} teilen", + "Show sharing options" : "Freigabeoptionen anzeigen", "Share note" : "Notiz teilen", "Upload files to %s" : "Dateien für %s hochladen", "%s shared a folder with you." : "%s hat einen Ordner mit dir geteilt.", @@ -433,7 +441,12 @@ OC.L10N.register( "Uploaded files:" : "Hochgeladene Dateien:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Durch das Hochladen von Dateien stimmst du den %1$sNutzungsbedingungen%2$s zu.", "Name" : "Name", + "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." : "Verwende diese Methode, um Dateien für Personen oder Teams innerhalb deiner Organisation freizugeben. Wenn der Empfangende bereits Zugriff auf die Freigabe hat, diese aber nicht finden kann, kannst du ihm den internen Freigabelink für einen einfachen Zugriff senden.", + "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." : "Verwende diese Methode, um Dateien für Personen oder Organisationen außerhalb deiner Organisation freizugeben. Dateien und Ordner können über öffentliche Freigabelinks und E-Mail-Adressen freigegeben werden. Du kannst auch Dateien für andere Nextcloud-Konten freigeben, die auf verschiedenen Instanzen gehostet werden, indem du deren Federated-Cloud-ID verwenden.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Freigaben, die nicht zu internen oder externen Freigaben gehören. Dies können Freigaben von Apps oder anderen Quellen sein.", "Share with accounts, teams, federated cloud id" : "Teilen mit Konten, Teams, Federated-Cloud-IDs", + "Share with accounts and teams" : "Teile mit Konten und Teams", + "Federated cloud ID" : "Federated-Cloud-ID", "Email, federated cloud id" : "Name, Federated-Cloud-ID", "Filename must not be empty." : "Dateiname darf nicht leer sein." }, diff --git a/apps/files_sharing/l10n/de.json b/apps/files_sharing/l10n/de.json index b2d69bc8e8f..79e463107ea 100644 --- a/apps/files_sharing/l10n/de.json +++ b/apps/files_sharing/l10n/de.json @@ -132,7 +132,7 @@ "Generate a new password" : "Ein neues Passwort erstellen", "Your administrator has enforced a password protection." : "Die Administration erzwingt einen Passwortschutz", "Automatically copying failed, please copy the share link manually" : "Automatisches Kopieren ist fehlgeschlagen, bitte den Freigabelink manuell kopieren", - "Link copied to clipboard" : "Link wurde in die Zwischenablage kopiert", + "Link copied" : "Link kopiert", "Email already added" : "E-Mail-Adresse wurde bereits hinzugefügt", "Invalid email address" : "Ungültige E-Mail-Adresse", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Die folgende E-Mail-Adresse ist ungültig: ","Die folgenden E-Mail-Adressen sind ungültig: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count} E-Mail-Adresse hinzugefügt","{count} E-Mail-Adressen hinzugefügt"], "You can now share the link below to allow people to upload files to your directory." : "Du kannst jetzt den unten stehenden Link freigeben, damit andere Dateien in dein Verzeichnis hochladen können.", "Share link" : "Link teilen", - "Copy to clipboard" : "In die Zwischenablage kopieren", + "Copy" : "Kopieren", "Send link via email" : "Link als E-Mail verschicken", "Enter an email address or paste a list" : "E-Mail-Adresse eingeben oder eine Liste einfügen", "Remove email" : "E-Mail-Adresse entfernen", @@ -199,10 +199,8 @@ "Via “{folder}”" : "Über \"{folder}”", "Unshare" : "Freigabe aufheben", "Cannot copy, please copy the link manually" : "Kopieren fehlgeschlagen. Bitte den Link manuell kopieren.", - "Copy internal link to clipboard" : "Internen Link in die Zwischenablage kopieren", - "Only works for people with access to this folder" : "Funktioniert nur für Personen mit Zugriff auf diesen Ordner", - "Only works for people with access to this file" : "Funktioniert nur für Personen mit Zugriff auf diese Datei", - "Link copied" : "Link kopiert", + "Copy internal link" : "Internen Link kopieren", + "For people who already have access" : "Für Personen, die bereits Zugriff haben", "Internal link" : "Interner Link", "{shareWith} by {initiator}" : "{shareWith} von {initiator}", "Shared via link by {initiator}" : "Geteilt mittels Link von {initiator}", @@ -213,7 +211,7 @@ "Share link ({index})" : "Externer Link ({index})", "Create public link" : "Öffentlichen Link erstellen", "Actions for \"{title}\"" : "Aktionen für \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Öffentlichen Link von \"{title}\" in die Zwischenablage kopieren", + "Copy public link of \"{title}\"" : "Öffentlichen Link von \"{title}\" kopieren", "Error, please enter proper password and/or expiration date" : "Fehler. Bitte gib das richtige Passwort und/oder Ablaufdatum ein.", "Link share created" : "Link-Freigabe erstellt", "Error while creating the share" : "Fehler beim Erstellen der Freigabe", @@ -239,7 +237,7 @@ "Name, email, or Federated Cloud ID …" : "Name, E-Mail-Adresse oder Federated-Cloud-ID …", "Searching …" : "Suche …", "No elements found." : "Keine Elemente gefunden.", - "Search globally" : "Global suchen", + "Search everywhere" : "Überall suchen", "Guest" : "Gast", "Group" : "Gruppe", "Email" : "E-Mail-Adresse", @@ -258,7 +256,7 @@ "Successfully uploaded files" : "Dateien wurden hochgeladen", "View terms of service" : "Nutzungsbedingungen anzeigen", "Terms of service" : "Nutzungsbedingungen", - "Share with {userName}" : "Mit {userName} teilen", + "Share with {user}" : "Mit {user} teilen", "Share with email {email}" : "Per E-Mail {email} teilen", "Share with group" : "Mit Gruppe teilen", "Share in conversation" : "In Unterhaltungen teilen", @@ -303,13 +301,14 @@ "Unable to fetch inherited shares" : "Vererbte Freigaben konnten nicht geladen werden", "Link shares" : "Freigaben teilen", "Shares" : "Freigaben", - "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." : "Verwende diese Methode, um Dateien für Personen oder Teams innerhalb deiner Organisation freizugeben. Wenn der Empfangende bereits Zugriff auf die Freigabe hat, diese aber nicht finden kann, kannst du ihm den internen Freigabelink für einen einfachen Zugriff senden.", - "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." : "Verwende diese Methode, um Dateien für Personen oder Organisationen außerhalb deiner Organisation freizugeben. Dateien und Ordner können über öffentliche Freigabelinks und E-Mail-Adressen freigegeben werden. Du kannst auch Dateien für andere Nextcloud-Konten freigeben, die auf verschiedenen Instanzen gehostet werden, indem du deren Federated-Cloud-ID verwenden.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Freigaben, die nicht zu internen oder externen Freigaben gehören. Dies können Freigaben von Apps oder anderen Quellen sein.", - "Share with accounts, teams, federated cloud IDs" : "Teilen mit Konten, Teams, Federated-Cloud-IDs", - "Share with accounts and teams" : "Teile mit Konten und Teams", - "Federated cloud ID" : "Federated-Cloud-ID", - "Email, federated cloud ID" : "Name, Federated-Cloud-ID", + "Share files within your organization. Recipients who can already view the file can also use this link for easy access." : "Dateien innerhalb Ihrer Organisation teilen. Auch Empfänger, die auf die Datei bereits zugreifen können, können diesen Link für einen einfachen Zugriff nutzen.", + "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID." : "Dateien über öffentliche Links und E-Mail-Adressen mit anderen außerhalb Ihrer Organisation teilen. Du kannst Nextcloud-Konten auch auf anderen Instanzen mithilfe der föderierten Cloud-ID teilen.", + "Shares from apps or other sources which are not included in internal or external shares." : "Freigaben aus Apps oder anderen Quellen, die nicht in internen oder externen Freigaben enthalten sind.", + "Type names, teams, federated cloud IDs" : "Namen, Teams oder Federierte Cloud-IDs eingeben", + "Type names or teams" : "Namen oder Federierte Cloud-IDs eingeben", + "Type a federated cloud ID" : "Eine Federierte Cloud-ID eingeben", + "Type an email" : "Eine E-Mailadresse eingeben", + "Type an email or federated cloud ID" : "Eine E-Mailadresse oder eine Federierte Cloud-ID eingeben", "Unable to load the shares list" : "Liste der Freigaben konnte nicht geladen werden", "Expires {relativetime}" : "Läuft {relativetime} ab", "this share just expired." : "Diese Freigabe ist gerade abgelaufen.", @@ -328,7 +327,7 @@ "Shared" : "Geteilt", "Shared by {ownerDisplayName}" : "Geteilt von {ownerDisplayName}", "Shared multiple times with different people" : "Mehrmals mit verschiedenen Personen geteilt", - "Show sharing options" : "Freigabeoptionen anzeigen", + "Sharing options" : "Freigabeoptionen", "Shared with others" : "Mit anderen geteilt", "Create file request" : "Dateianfrage erstellen", "Upload files to {foldername}" : "Dateien hochladen nach {foldername}", @@ -415,13 +414,22 @@ "Failed to add the public link to your Nextcloud" : "Der öffentliche Link konnte nicht zu deiner Nextcloud hinzugefügt werden", "You are not allowed to edit link shares that you don't own" : "Du darfst keine Linkfreigaben bearbeiten, die du nicht besitzst", "Download all files" : "Alle Dateien herunterladen", + "Link copied to clipboard" : "Link wurde in die Zwischenablage kopiert", "_1 email address already added_::_{count} email addresses already added_" : ["1 E-Mail-Adresse bereits hinzugefügt","{count} E-Mail-Adressen bereits hinzugefügt"], "_1 email address added_::_{count} email addresses added_" : ["1 E-Mail-Adresse hinzugefügt","{count} E-Mail-Adressen hinzugefügt"], + "Copy to clipboard" : "In die Zwischenablage kopieren", + "Copy internal link to clipboard" : "Internen Link in die Zwischenablage kopieren", + "Only works for people with access to this folder" : "Funktioniert nur für Personen mit Zugriff auf diesen Ordner", + "Only works for people with access to this file" : "Funktioniert nur für Personen mit Zugriff auf diese Datei", + "Copy public link of \"{title}\" to clipboard" : "Öffentlichen Link von \"{title}\" in die Zwischenablage kopieren", + "Search globally" : "Global suchen", "Search for share recipients" : "Nach Freigabe-Empfängern suchen", "No recommendations. Start typing." : "Keine Empfehlungen. Eingabe beginnen.", "To upload files, you need to provide your name first." : "Um Dateien hochzuladen, musst du zunächst deinen Namen angeben.", "Enter your name" : "Gib deinen Namen ein", "Submit name" : "Name übermitteln", + "Share with {userName}" : "Mit {userName} teilen", + "Show sharing options" : "Freigabeoptionen anzeigen", "Share note" : "Notiz teilen", "Upload files to %s" : "Dateien für %s hochladen", "%s shared a folder with you." : "%s hat einen Ordner mit dir geteilt.", @@ -431,7 +439,12 @@ "Uploaded files:" : "Hochgeladene Dateien:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Durch das Hochladen von Dateien stimmst du den %1$sNutzungsbedingungen%2$s zu.", "Name" : "Name", + "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." : "Verwende diese Methode, um Dateien für Personen oder Teams innerhalb deiner Organisation freizugeben. Wenn der Empfangende bereits Zugriff auf die Freigabe hat, diese aber nicht finden kann, kannst du ihm den internen Freigabelink für einen einfachen Zugriff senden.", + "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." : "Verwende diese Methode, um Dateien für Personen oder Organisationen außerhalb deiner Organisation freizugeben. Dateien und Ordner können über öffentliche Freigabelinks und E-Mail-Adressen freigegeben werden. Du kannst auch Dateien für andere Nextcloud-Konten freigeben, die auf verschiedenen Instanzen gehostet werden, indem du deren Federated-Cloud-ID verwenden.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Freigaben, die nicht zu internen oder externen Freigaben gehören. Dies können Freigaben von Apps oder anderen Quellen sein.", "Share with accounts, teams, federated cloud id" : "Teilen mit Konten, Teams, Federated-Cloud-IDs", + "Share with accounts and teams" : "Teile mit Konten und Teams", + "Federated cloud ID" : "Federated-Cloud-ID", "Email, federated cloud id" : "Name, Federated-Cloud-ID", "Filename must not be empty." : "Dateiname darf nicht leer sein." },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_sharing/l10n/de_DE.js b/apps/files_sharing/l10n/de_DE.js index ae518539e97..a3507239899 100644 --- a/apps/files_sharing/l10n/de_DE.js +++ b/apps/files_sharing/l10n/de_DE.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Ein neues Passwort erstellen", "Your administrator has enforced a password protection." : "Ihre Administration erzwingt einen Passwortschutz", "Automatically copying failed, please copy the share link manually" : "Automatisches Kopieren ist fehlgeschlagen, bitte den Freigabelink manuell kopieren", - "Link copied to clipboard" : "Link wurde in die Zwischenablage kopiert", + "Link copied" : "Link kopiert", "Email already added" : "E-Mail-Adresse wurde bereits hinzugefügt", "Invalid email address" : "Ungültige E-Mail-Adresse", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Die folgende E-Mail-Adresse ist ungültig: ","Die folgenden E-Mail-Adressen sind ungültig: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count} E-Mail-Adresse hinzugefügt","{count} E-Mail-Adressen hinzugefügt"], "You can now share the link below to allow people to upload files to your directory." : "Sie können jetzt den unten stehenden Link freigeben, damit andere Dateien in Ihr Verzeichnis hochladen können.", "Share link" : "Freigabe Link", - "Copy to clipboard" : "In die Zwischenablage kopieren", + "Copy" : "Kopieren", "Send link via email" : "Link per E-Mail verschicken", "Enter an email address or paste a list" : "E-Mail-Adresse eingeben oder eine Liste einfügen", "Remove email" : "E-Mail-Adresse entfernen", @@ -201,10 +201,8 @@ OC.L10N.register( "Via “{folder}”" : "Über \"{folder}”", "Unshare" : "Freigabe aufheben", "Cannot copy, please copy the link manually" : "Kopieren fehlgeschlagen. Bitte kopieren Sie den Link manuell", - "Copy internal link to clipboard" : "Internen Link in die Zwischenablage kopieren", - "Only works for people with access to this folder" : "Funktioniert nur für Personen mit Zugriff auf diesen Ordner", - "Only works for people with access to this file" : "Funktioniert nur für Personen mit Zugriff auf diese Datei", - "Link copied" : "Link kopiert", + "Copy internal link" : "Internen Link kopieren", + "For people who already have access" : "Für Personen, die bereits Zugriff haben", "Internal link" : "Interner Link", "{shareWith} by {initiator}" : "{shareWith} von {initiator}", "Shared via link by {initiator}" : "Geteilt mittels Link von {initiator}", @@ -215,7 +213,7 @@ OC.L10N.register( "Share link ({index})" : "Externer Link ({index})", "Create public link" : "Öffentlichen Link erstellen", "Actions for \"{title}\"" : "Aktionen für \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Öffentlichen Link von \"{title}\" in die Zwischenablage kopieren", + "Copy public link of \"{title}\"" : "Öffentlichen Link von \"{title}\" kopieren", "Error, please enter proper password and/or expiration date" : "Fehler. Bitte gebe das richtige Passwort und/oder Ablaufdatum ein", "Link share created" : "Link-Freigabe erstellt", "Error while creating the share" : "Fehler beim Erstellen der Freigabe", @@ -241,7 +239,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Name, E-Mail-Adresse oder Federated-Cloud-ID …", "Searching …" : "Suche …", "No elements found." : "Keine Elemente gefunden.", - "Search globally" : "Global suchen", + "Search everywhere" : "Überall suchen", "Guest" : "Gast", "Group" : "Gruppe", "Email" : "E-Mail", @@ -260,7 +258,7 @@ OC.L10N.register( "Successfully uploaded files" : "Dateien wurden hochgeladen", "View terms of service" : "Nutzungsbedingungen anzeigen", "Terms of service" : "Nutzungsbedingungen", - "Share with {userName}" : "Mit {userName} teilen", + "Share with {user}" : "Mit {user} teilen", "Share with email {email}" : "Mit E-Mail {email} teilen", "Share with group" : "Mit Gruppe teilen", "Share in conversation" : "In Unterhaltungen teilen", @@ -305,13 +303,14 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Laden der vererbten Freigaben fehlgeschlagen", "Link shares" : "Freigaben teilen", "Shares" : "Freigaben", - "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." : "Verwenden Sie diese Methode, um Dateien für Personen oder Teams innerhalb Ihrer Organisation freizugeben. Wenn der Empfänger bereits Zugriff auf die Freigabe hat, diese aber nicht finden kann, können Sie ihm den internen Freigabelink für einen einfachen Zugriff senden.", - "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." : "Verwenden Sie diese Methode, um Dateien für Personen oder Organisationen außerhalb Ihrer Organisation freizugeben. Dateien und Ordner können über öffentliche Freigabelinks und E-Mail-Adressen freigegeben werden. Sie können auch Dateien für andere Nextcloud-Konten freigeben, die auf verschiedenen Instanzen gehostet werden, indem Sie deren Federated-Cloud-ID verwenden.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Freigaben, die nicht zu internen oder externen Freigaben gehören. Dies können Freigaben von Apps oder anderen Quellen sein.", - "Share with accounts, teams, federated cloud IDs" : "Teilen mit Konten, Teams, Federated-Cloud-IDs", - "Share with accounts and teams" : "Teile mit Konten und Teams", - "Federated cloud ID" : "Federated-Cloud-ID", - "Email, federated cloud ID" : "Name, Federated-Cloud-ID", + "Share files within your organization. Recipients who can already view the file can also use this link for easy access." : "Dateien innerhalb Ihrer Organisation teilen. Auch Empfänger, die auf die Datei bereits zugreifen können, können diesen Link für einen einfachen Zugriff nutzen.", + "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID." : "Dateien über öffentliche Links und E-Mail-Adressen mit anderen außerhalb Ihrer Organisation teilen. Sie können Nextcloud-Konten auch auf anderen Instanzen mithilfe ihrer föderierten Cloud-ID teilen.", + "Shares from apps or other sources which are not included in internal or external shares." : "Freigaben aus Apps oder anderen Quellen, die nicht in internen oder externen Freigaben enthalten sind.", + "Type names, teams, federated cloud IDs" : "Namen, Teams oder Federierte Cloud-IDs eingeben", + "Type names or teams" : "Namen oder Federierte Cloud-IDs eingeben", + "Type a federated cloud ID" : "Eine Federierte Cloud-ID eingeben", + "Type an email" : "Eine E-Mailadresse eingeben", + "Type an email or federated cloud ID" : "Eine E-Mailadresse oder eine Federierte Cloud-ID eingeben", "Unable to load the shares list" : "Liste der Freigaben kann nicht geladen werden", "Expires {relativetime}" : "Läuft {relativetime} ab", "this share just expired." : "Diese Freigabe ist gerade abgelaufen.", @@ -330,7 +329,7 @@ OC.L10N.register( "Shared" : "Geteilt", "Shared by {ownerDisplayName}" : "Geteilt von {ownerDisplayName}", "Shared multiple times with different people" : "Mehrmals mit verschiedenen Personen geteilt", - "Show sharing options" : "Freigabeoptionen anzeigen", + "Sharing options" : "Freigabeoptionen", "Shared with others" : "Von Ihnen geteilt", "Create file request" : "Dateianfrage erstellen", "Upload files to {foldername}" : "Dateien hochladen nach {foldername}", @@ -417,13 +416,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Der öffentliche Link konnte nicht zu Ihrer Nextcloud hinzugefügt werden", "You are not allowed to edit link shares that you don't own" : "Sie dürfen keine Linkfreigaben bearbeiten, die Sie nicht besitzen", "Download all files" : "Alle Dateien herunterladen", + "Link copied to clipboard" : "Link wurde in die Zwischenablage kopiert", "_1 email address already added_::_{count} email addresses already added_" : ["1 E-Mail-Adresse bereits hinzugefügt","{count} E-Mail-Adressen bereits hinzugefügt"], "_1 email address added_::_{count} email addresses added_" : ["1 E-Mail-Adresse hinzugefügt","{count} E-Mail-Adressen hinzugefügt"], + "Copy to clipboard" : "In die Zwischenablage kopieren", + "Copy internal link to clipboard" : "Internen Link in die Zwischenablage kopieren", + "Only works for people with access to this folder" : "Funktioniert nur für Personen mit Zugriff auf diesen Ordner", + "Only works for people with access to this file" : "Funktioniert nur für Personen mit Zugriff auf diese Datei", + "Copy public link of \"{title}\" to clipboard" : "Öffentlichen Link von \"{title}\" in die Zwischenablage kopieren", + "Search globally" : "Global suchen", "Search for share recipients" : "Nach Freigabeempfängern suchen", "No recommendations. Start typing." : "Keine Empfehlungen. Beginnen Sie mit der Eingabe.", "To upload files, you need to provide your name first." : "Um Dateien hochzuladen, müssen Sie zunächst Ihren Namen angeben.", "Enter your name" : "Geben Sie Ihren Namen ein", "Submit name" : "Name übermitteln", + "Share with {userName}" : "Mit {userName} teilen", + "Show sharing options" : "Freigabeoptionen anzeigen", "Share note" : "Notiz teilen", "Upload files to %s" : "Dateien für %s hochladen", "%s shared a folder with you." : "%s hat einen Ordner mit Ihnen geteilt.", @@ -433,7 +441,12 @@ OC.L10N.register( "Uploaded files:" : "Hochgeladene Dateien:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Durch das Hochladen von Dateien stimmen Sie den %1$sNutzungsbedingungen%2$s zu.", "Name" : "Name", + "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." : "Verwenden Sie diese Methode, um Dateien für Personen oder Teams innerhalb Ihrer Organisation freizugeben. Wenn der Empfänger bereits Zugriff auf die Freigabe hat, diese aber nicht finden kann, können Sie ihm den internen Freigabelink für einen einfachen Zugriff senden.", + "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." : "Verwenden Sie diese Methode, um Dateien für Personen oder Organisationen außerhalb Ihrer Organisation freizugeben. Dateien und Ordner können über öffentliche Freigabelinks und E-Mail-Adressen freigegeben werden. Sie können auch Dateien für andere Nextcloud-Konten freigeben, die auf verschiedenen Instanzen gehostet werden, indem Sie deren Federated-Cloud-ID verwenden.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Freigaben, die nicht zu internen oder externen Freigaben gehören. Dies können Freigaben von Apps oder anderen Quellen sein.", "Share with accounts, teams, federated cloud id" : "Teilen mit Konten, Teams, Federated-Cloud-IDs", + "Share with accounts and teams" : "Teile mit Konten und Teams", + "Federated cloud ID" : "Federated-Cloud-ID", "Email, federated cloud id" : "Name, Federated-Cloud-ID", "Filename must not be empty." : "Dateiname darf nicht leer sein." }, diff --git a/apps/files_sharing/l10n/de_DE.json b/apps/files_sharing/l10n/de_DE.json index 20922680926..41d191e8166 100644 --- a/apps/files_sharing/l10n/de_DE.json +++ b/apps/files_sharing/l10n/de_DE.json @@ -132,7 +132,7 @@ "Generate a new password" : "Ein neues Passwort erstellen", "Your administrator has enforced a password protection." : "Ihre Administration erzwingt einen Passwortschutz", "Automatically copying failed, please copy the share link manually" : "Automatisches Kopieren ist fehlgeschlagen, bitte den Freigabelink manuell kopieren", - "Link copied to clipboard" : "Link wurde in die Zwischenablage kopiert", + "Link copied" : "Link kopiert", "Email already added" : "E-Mail-Adresse wurde bereits hinzugefügt", "Invalid email address" : "Ungültige E-Mail-Adresse", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Die folgende E-Mail-Adresse ist ungültig: ","Die folgenden E-Mail-Adressen sind ungültig: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count} E-Mail-Adresse hinzugefügt","{count} E-Mail-Adressen hinzugefügt"], "You can now share the link below to allow people to upload files to your directory." : "Sie können jetzt den unten stehenden Link freigeben, damit andere Dateien in Ihr Verzeichnis hochladen können.", "Share link" : "Freigabe Link", - "Copy to clipboard" : "In die Zwischenablage kopieren", + "Copy" : "Kopieren", "Send link via email" : "Link per E-Mail verschicken", "Enter an email address or paste a list" : "E-Mail-Adresse eingeben oder eine Liste einfügen", "Remove email" : "E-Mail-Adresse entfernen", @@ -199,10 +199,8 @@ "Via “{folder}”" : "Über \"{folder}”", "Unshare" : "Freigabe aufheben", "Cannot copy, please copy the link manually" : "Kopieren fehlgeschlagen. Bitte kopieren Sie den Link manuell", - "Copy internal link to clipboard" : "Internen Link in die Zwischenablage kopieren", - "Only works for people with access to this folder" : "Funktioniert nur für Personen mit Zugriff auf diesen Ordner", - "Only works for people with access to this file" : "Funktioniert nur für Personen mit Zugriff auf diese Datei", - "Link copied" : "Link kopiert", + "Copy internal link" : "Internen Link kopieren", + "For people who already have access" : "Für Personen, die bereits Zugriff haben", "Internal link" : "Interner Link", "{shareWith} by {initiator}" : "{shareWith} von {initiator}", "Shared via link by {initiator}" : "Geteilt mittels Link von {initiator}", @@ -213,7 +211,7 @@ "Share link ({index})" : "Externer Link ({index})", "Create public link" : "Öffentlichen Link erstellen", "Actions for \"{title}\"" : "Aktionen für \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Öffentlichen Link von \"{title}\" in die Zwischenablage kopieren", + "Copy public link of \"{title}\"" : "Öffentlichen Link von \"{title}\" kopieren", "Error, please enter proper password and/or expiration date" : "Fehler. Bitte gebe das richtige Passwort und/oder Ablaufdatum ein", "Link share created" : "Link-Freigabe erstellt", "Error while creating the share" : "Fehler beim Erstellen der Freigabe", @@ -239,7 +237,7 @@ "Name, email, or Federated Cloud ID …" : "Name, E-Mail-Adresse oder Federated-Cloud-ID …", "Searching …" : "Suche …", "No elements found." : "Keine Elemente gefunden.", - "Search globally" : "Global suchen", + "Search everywhere" : "Überall suchen", "Guest" : "Gast", "Group" : "Gruppe", "Email" : "E-Mail", @@ -258,7 +256,7 @@ "Successfully uploaded files" : "Dateien wurden hochgeladen", "View terms of service" : "Nutzungsbedingungen anzeigen", "Terms of service" : "Nutzungsbedingungen", - "Share with {userName}" : "Mit {userName} teilen", + "Share with {user}" : "Mit {user} teilen", "Share with email {email}" : "Mit E-Mail {email} teilen", "Share with group" : "Mit Gruppe teilen", "Share in conversation" : "In Unterhaltungen teilen", @@ -303,13 +301,14 @@ "Unable to fetch inherited shares" : "Laden der vererbten Freigaben fehlgeschlagen", "Link shares" : "Freigaben teilen", "Shares" : "Freigaben", - "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." : "Verwenden Sie diese Methode, um Dateien für Personen oder Teams innerhalb Ihrer Organisation freizugeben. Wenn der Empfänger bereits Zugriff auf die Freigabe hat, diese aber nicht finden kann, können Sie ihm den internen Freigabelink für einen einfachen Zugriff senden.", - "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." : "Verwenden Sie diese Methode, um Dateien für Personen oder Organisationen außerhalb Ihrer Organisation freizugeben. Dateien und Ordner können über öffentliche Freigabelinks und E-Mail-Adressen freigegeben werden. Sie können auch Dateien für andere Nextcloud-Konten freigeben, die auf verschiedenen Instanzen gehostet werden, indem Sie deren Federated-Cloud-ID verwenden.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Freigaben, die nicht zu internen oder externen Freigaben gehören. Dies können Freigaben von Apps oder anderen Quellen sein.", - "Share with accounts, teams, federated cloud IDs" : "Teilen mit Konten, Teams, Federated-Cloud-IDs", - "Share with accounts and teams" : "Teile mit Konten und Teams", - "Federated cloud ID" : "Federated-Cloud-ID", - "Email, federated cloud ID" : "Name, Federated-Cloud-ID", + "Share files within your organization. Recipients who can already view the file can also use this link for easy access." : "Dateien innerhalb Ihrer Organisation teilen. Auch Empfänger, die auf die Datei bereits zugreifen können, können diesen Link für einen einfachen Zugriff nutzen.", + "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID." : "Dateien über öffentliche Links und E-Mail-Adressen mit anderen außerhalb Ihrer Organisation teilen. Sie können Nextcloud-Konten auch auf anderen Instanzen mithilfe ihrer föderierten Cloud-ID teilen.", + "Shares from apps or other sources which are not included in internal or external shares." : "Freigaben aus Apps oder anderen Quellen, die nicht in internen oder externen Freigaben enthalten sind.", + "Type names, teams, federated cloud IDs" : "Namen, Teams oder Federierte Cloud-IDs eingeben", + "Type names or teams" : "Namen oder Federierte Cloud-IDs eingeben", + "Type a federated cloud ID" : "Eine Federierte Cloud-ID eingeben", + "Type an email" : "Eine E-Mailadresse eingeben", + "Type an email or federated cloud ID" : "Eine E-Mailadresse oder eine Federierte Cloud-ID eingeben", "Unable to load the shares list" : "Liste der Freigaben kann nicht geladen werden", "Expires {relativetime}" : "Läuft {relativetime} ab", "this share just expired." : "Diese Freigabe ist gerade abgelaufen.", @@ -328,7 +327,7 @@ "Shared" : "Geteilt", "Shared by {ownerDisplayName}" : "Geteilt von {ownerDisplayName}", "Shared multiple times with different people" : "Mehrmals mit verschiedenen Personen geteilt", - "Show sharing options" : "Freigabeoptionen anzeigen", + "Sharing options" : "Freigabeoptionen", "Shared with others" : "Von Ihnen geteilt", "Create file request" : "Dateianfrage erstellen", "Upload files to {foldername}" : "Dateien hochladen nach {foldername}", @@ -415,13 +414,22 @@ "Failed to add the public link to your Nextcloud" : "Der öffentliche Link konnte nicht zu Ihrer Nextcloud hinzugefügt werden", "You are not allowed to edit link shares that you don't own" : "Sie dürfen keine Linkfreigaben bearbeiten, die Sie nicht besitzen", "Download all files" : "Alle Dateien herunterladen", + "Link copied to clipboard" : "Link wurde in die Zwischenablage kopiert", "_1 email address already added_::_{count} email addresses already added_" : ["1 E-Mail-Adresse bereits hinzugefügt","{count} E-Mail-Adressen bereits hinzugefügt"], "_1 email address added_::_{count} email addresses added_" : ["1 E-Mail-Adresse hinzugefügt","{count} E-Mail-Adressen hinzugefügt"], + "Copy to clipboard" : "In die Zwischenablage kopieren", + "Copy internal link to clipboard" : "Internen Link in die Zwischenablage kopieren", + "Only works for people with access to this folder" : "Funktioniert nur für Personen mit Zugriff auf diesen Ordner", + "Only works for people with access to this file" : "Funktioniert nur für Personen mit Zugriff auf diese Datei", + "Copy public link of \"{title}\" to clipboard" : "Öffentlichen Link von \"{title}\" in die Zwischenablage kopieren", + "Search globally" : "Global suchen", "Search for share recipients" : "Nach Freigabeempfängern suchen", "No recommendations. Start typing." : "Keine Empfehlungen. Beginnen Sie mit der Eingabe.", "To upload files, you need to provide your name first." : "Um Dateien hochzuladen, müssen Sie zunächst Ihren Namen angeben.", "Enter your name" : "Geben Sie Ihren Namen ein", "Submit name" : "Name übermitteln", + "Share with {userName}" : "Mit {userName} teilen", + "Show sharing options" : "Freigabeoptionen anzeigen", "Share note" : "Notiz teilen", "Upload files to %s" : "Dateien für %s hochladen", "%s shared a folder with you." : "%s hat einen Ordner mit Ihnen geteilt.", @@ -431,7 +439,12 @@ "Uploaded files:" : "Hochgeladene Dateien:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Durch das Hochladen von Dateien stimmen Sie den %1$sNutzungsbedingungen%2$s zu.", "Name" : "Name", + "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." : "Verwenden Sie diese Methode, um Dateien für Personen oder Teams innerhalb Ihrer Organisation freizugeben. Wenn der Empfänger bereits Zugriff auf die Freigabe hat, diese aber nicht finden kann, können Sie ihm den internen Freigabelink für einen einfachen Zugriff senden.", + "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." : "Verwenden Sie diese Methode, um Dateien für Personen oder Organisationen außerhalb Ihrer Organisation freizugeben. Dateien und Ordner können über öffentliche Freigabelinks und E-Mail-Adressen freigegeben werden. Sie können auch Dateien für andere Nextcloud-Konten freigeben, die auf verschiedenen Instanzen gehostet werden, indem Sie deren Federated-Cloud-ID verwenden.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Freigaben, die nicht zu internen oder externen Freigaben gehören. Dies können Freigaben von Apps oder anderen Quellen sein.", "Share with accounts, teams, federated cloud id" : "Teilen mit Konten, Teams, Federated-Cloud-IDs", + "Share with accounts and teams" : "Teile mit Konten und Teams", + "Federated cloud ID" : "Federated-Cloud-ID", "Email, federated cloud id" : "Name, Federated-Cloud-ID", "Filename must not be empty." : "Dateiname darf nicht leer sein." },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_sharing/l10n/el.js b/apps/files_sharing/l10n/el.js index 19fb4519a20..501b00e058f 100644 --- a/apps/files_sharing/l10n/el.js +++ b/apps/files_sharing/l10n/el.js @@ -96,9 +96,9 @@ OC.L10N.register( "Expiration date" : "Ημερομηνία λήξης", "Set a password" : "Ορισμός συνθηματικού", "Password" : "Συνθηματικό", - "Link copied to clipboard" : "Ο σύνδεσμος αντιγράφηκε στο πρόχειρο", + "Link copied" : "Ο σύνδεσμος αντιγράφηκε", "Share link" : "Διαμοιρασμός συνδέσμου", - "Copy to clipboard" : "Αντιγραφή στο πρόχειρο", + "Copy" : "Αντιγραφή", "Send link via email" : "Αποστολή συνδέσμου μέσω email", "Select" : "Επιλογή", "Close" : "Κλείσιμο", @@ -126,10 +126,7 @@ OC.L10N.register( "Via “{folder}”" : "Μέσω “{folder}”", "Unshare" : "Αναίρεση διαμοιρασμού", "Cannot copy, please copy the link manually" : "Δεν μπορεί να αντιγραφεί, παρακαλώ αντιγράψτε χειροκίνητα", - "Copy internal link to clipboard" : "Αντιγραφή εσωτερικού συνδέσμου στο πρόχειρο", - "Only works for people with access to this folder" : "Λειτουργεί μόνο για άτομα με πρόσβαση σε αυτόν τον φάκελο", - "Only works for people with access to this file" : "Λειτουργεί μόνο για άτομα με πρόσβαση σε αυτό το αρχείο", - "Link copied" : "Ο σύνδεσμος αντιγράφηκε", + "Copy internal link" : "Αντιγραφή εσωτερικού συνδέσμου", "Internal link" : "Εσωτερικός σύνδεσμος", "{shareWith} by {initiator}" : "{shareWith} από {initiator}", "Shared via link by {initiator}" : "Διαμοιράστηκε μέσω συνδέσμου {initiator}", @@ -137,7 +134,6 @@ OC.L10N.register( "Share link ({index})" : "Διαμοιρασμός συνδέσμου ({index})", "Create public link" : "Δημιουργία δημόσιου συνδέσμου", "Actions for \"{title}\"" : "Ενέργειες για \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Αντιγραφή του δημόσιου συνδέσμου \"{title}\" στο πρόχειρο", "Error, please enter proper password and/or expiration date" : "Σφάλμα, παρακαλώ εισάγετε τον σωστό κωδικό πρόσβασης και/ή ημερομηνία λήξης", "Link share created" : "Δημιουργήθηκε ο σύνδεσμος κοινής χρήσης", "Error while creating the share" : "Σφάλμα κατά τη δημιουργία κοινόχρηστου", @@ -158,7 +154,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Όνομα, διεύθυνση ηλεκτρονικού ταχυδρομείου ή Ομοσπονδιακό αναγνωριστικό Cloud…", "Searching …" : "Αναζήτηση ...", "No elements found." : "Δεν βρέθηκαν στοιχεία.", - "Search globally" : "Γενική αναζήτηση", + "Search everywhere" : "Αναζητήστε παντού", "Guest" : "Επισκέπτης", "Group" : "Ομάδα", "Email" : "Email", @@ -206,7 +202,6 @@ OC.L10N.register( "_Reject share_::_Reject shares_" : ["Απόρριψη κοινόχρηστου","Απόρριψη κοινόχρηστων"], "_Restore share_::_Restore shares_" : ["Επαναφορά κοινόχρηστου","Επαναφορά κοινόχρηστων"], "Shared" : "Κοινόχρηστα", - "Show sharing options" : "Εμφάνιση επιλογών κοινής χρήσης", "Shared with others" : "Διαμοιρασμένα με άλλους", "No file" : "Κανένα αρχείο", "Public share" : "Δημόσια κοινόχρηστο", @@ -260,9 +255,17 @@ OC.L10N.register( "Invalid server URL" : "Μη έγκυρο URL διακομιστή", "Failed to add the public link to your Nextcloud" : "Αποτυχία στην πρόσθεση του κοινού συνδέσμου στο Nextcloud σας", "Download all files" : "Λήψη όλων των αρχείων", + "Link copied to clipboard" : "Ο σύνδεσμος αντιγράφηκε στο πρόχειρο", + "Copy to clipboard" : "Αντιγραφή στο πρόχειρο", + "Copy internal link to clipboard" : "Αντιγραφή εσωτερικού συνδέσμου στο πρόχειρο", + "Only works for people with access to this folder" : "Λειτουργεί μόνο για άτομα με πρόσβαση σε αυτόν τον φάκελο", + "Only works for people with access to this file" : "Λειτουργεί μόνο για άτομα με πρόσβαση σε αυτό το αρχείο", + "Copy public link of \"{title}\" to clipboard" : "Αντιγραφή του δημόσιου συνδέσμου \"{title}\" στο πρόχειρο", + "Search globally" : "Γενική αναζήτηση", "Search for share recipients" : "Αναζήτηση για παραλήπτες διαμοιρασμού", "No recommendations. Start typing." : "Δεν υπάρχουν συστάσεις. Αρχίστε να πληκτρολογείτε.", "Enter your name" : "Προσθέστε το όνομά σας", + "Show sharing options" : "Εμφάνιση επιλογών κοινής χρήσης", "Share note" : "Σημείωση κοινόχρηστου", "Upload files to %s" : "Αποστολή αρχείων σε %s", "Note" : "Σημείωση", diff --git a/apps/files_sharing/l10n/el.json b/apps/files_sharing/l10n/el.json index b66a04983e0..696622ce3d3 100644 --- a/apps/files_sharing/l10n/el.json +++ b/apps/files_sharing/l10n/el.json @@ -94,9 +94,9 @@ "Expiration date" : "Ημερομηνία λήξης", "Set a password" : "Ορισμός συνθηματικού", "Password" : "Συνθηματικό", - "Link copied to clipboard" : "Ο σύνδεσμος αντιγράφηκε στο πρόχειρο", + "Link copied" : "Ο σύνδεσμος αντιγράφηκε", "Share link" : "Διαμοιρασμός συνδέσμου", - "Copy to clipboard" : "Αντιγραφή στο πρόχειρο", + "Copy" : "Αντιγραφή", "Send link via email" : "Αποστολή συνδέσμου μέσω email", "Select" : "Επιλογή", "Close" : "Κλείσιμο", @@ -124,10 +124,7 @@ "Via “{folder}”" : "Μέσω “{folder}”", "Unshare" : "Αναίρεση διαμοιρασμού", "Cannot copy, please copy the link manually" : "Δεν μπορεί να αντιγραφεί, παρακαλώ αντιγράψτε χειροκίνητα", - "Copy internal link to clipboard" : "Αντιγραφή εσωτερικού συνδέσμου στο πρόχειρο", - "Only works for people with access to this folder" : "Λειτουργεί μόνο για άτομα με πρόσβαση σε αυτόν τον φάκελο", - "Only works for people with access to this file" : "Λειτουργεί μόνο για άτομα με πρόσβαση σε αυτό το αρχείο", - "Link copied" : "Ο σύνδεσμος αντιγράφηκε", + "Copy internal link" : "Αντιγραφή εσωτερικού συνδέσμου", "Internal link" : "Εσωτερικός σύνδεσμος", "{shareWith} by {initiator}" : "{shareWith} από {initiator}", "Shared via link by {initiator}" : "Διαμοιράστηκε μέσω συνδέσμου {initiator}", @@ -135,7 +132,6 @@ "Share link ({index})" : "Διαμοιρασμός συνδέσμου ({index})", "Create public link" : "Δημιουργία δημόσιου συνδέσμου", "Actions for \"{title}\"" : "Ενέργειες για \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Αντιγραφή του δημόσιου συνδέσμου \"{title}\" στο πρόχειρο", "Error, please enter proper password and/or expiration date" : "Σφάλμα, παρακαλώ εισάγετε τον σωστό κωδικό πρόσβασης και/ή ημερομηνία λήξης", "Link share created" : "Δημιουργήθηκε ο σύνδεσμος κοινής χρήσης", "Error while creating the share" : "Σφάλμα κατά τη δημιουργία κοινόχρηστου", @@ -156,7 +152,7 @@ "Name, email, or Federated Cloud ID …" : "Όνομα, διεύθυνση ηλεκτρονικού ταχυδρομείου ή Ομοσπονδιακό αναγνωριστικό Cloud…", "Searching …" : "Αναζήτηση ...", "No elements found." : "Δεν βρέθηκαν στοιχεία.", - "Search globally" : "Γενική αναζήτηση", + "Search everywhere" : "Αναζητήστε παντού", "Guest" : "Επισκέπτης", "Group" : "Ομάδα", "Email" : "Email", @@ -204,7 +200,6 @@ "_Reject share_::_Reject shares_" : ["Απόρριψη κοινόχρηστου","Απόρριψη κοινόχρηστων"], "_Restore share_::_Restore shares_" : ["Επαναφορά κοινόχρηστου","Επαναφορά κοινόχρηστων"], "Shared" : "Κοινόχρηστα", - "Show sharing options" : "Εμφάνιση επιλογών κοινής χρήσης", "Shared with others" : "Διαμοιρασμένα με άλλους", "No file" : "Κανένα αρχείο", "Public share" : "Δημόσια κοινόχρηστο", @@ -258,9 +253,17 @@ "Invalid server URL" : "Μη έγκυρο URL διακομιστή", "Failed to add the public link to your Nextcloud" : "Αποτυχία στην πρόσθεση του κοινού συνδέσμου στο Nextcloud σας", "Download all files" : "Λήψη όλων των αρχείων", + "Link copied to clipboard" : "Ο σύνδεσμος αντιγράφηκε στο πρόχειρο", + "Copy to clipboard" : "Αντιγραφή στο πρόχειρο", + "Copy internal link to clipboard" : "Αντιγραφή εσωτερικού συνδέσμου στο πρόχειρο", + "Only works for people with access to this folder" : "Λειτουργεί μόνο για άτομα με πρόσβαση σε αυτόν τον φάκελο", + "Only works for people with access to this file" : "Λειτουργεί μόνο για άτομα με πρόσβαση σε αυτό το αρχείο", + "Copy public link of \"{title}\" to clipboard" : "Αντιγραφή του δημόσιου συνδέσμου \"{title}\" στο πρόχειρο", + "Search globally" : "Γενική αναζήτηση", "Search for share recipients" : "Αναζήτηση για παραλήπτες διαμοιρασμού", "No recommendations. Start typing." : "Δεν υπάρχουν συστάσεις. Αρχίστε να πληκτρολογείτε.", "Enter your name" : "Προσθέστε το όνομά σας", + "Show sharing options" : "Εμφάνιση επιλογών κοινής χρήσης", "Share note" : "Σημείωση κοινόχρηστου", "Upload files to %s" : "Αποστολή αρχείων σε %s", "Note" : "Σημείωση", diff --git a/apps/files_sharing/l10n/en_GB.js b/apps/files_sharing/l10n/en_GB.js index 8cbeeccff4d..90d518c1854 100644 --- a/apps/files_sharing/l10n/en_GB.js +++ b/apps/files_sharing/l10n/en_GB.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Generate a new password", "Your administrator has enforced a password protection." : "Your administrator has enforced a password protection.", "Automatically copying failed, please copy the share link manually" : "Automatically copying failed, please copy the share link manually", - "Link copied to clipboard" : "Link copied to clipboard", + "Link copied" : "Link copied", "Email already added" : "Email already added", "Invalid email address" : "Invalid email address", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["The following email address is not valid: {emails}","The following email addresses are not valid: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count} email address added","{count} email addresses added"], "You can now share the link below to allow people to upload files to your directory." : "You can now share the link below to allow people to upload files to your directory.", "Share link" : "Share link", - "Copy to clipboard" : "Copy to clipboard", + "Copy" : "Copy", "Send link via email" : "Send link via email", "Enter an email address or paste a list" : "Enter an email address or paste a list", "Remove email" : "Remove email", @@ -201,10 +201,8 @@ OC.L10N.register( "Via “{folder}”" : "Via “{folder}”", "Unshare" : "Unshare", "Cannot copy, please copy the link manually" : "Cannot copy, please copy the link manually", - "Copy internal link to clipboard" : "Copy internal link to clipboard", - "Only works for people with access to this folder" : "Only works for people with access to this folder", - "Only works for people with access to this file" : "Only works for people with access to this file", - "Link copied" : "Link copied", + "Copy internal link" : "Copy internal link", + "For people who already have access" : "For people who already have access", "Internal link" : "Internal link", "{shareWith} by {initiator}" : "{shareWith} by {initiator}", "Shared via link by {initiator}" : "Shared via link by {initiator}", @@ -215,7 +213,7 @@ OC.L10N.register( "Share link ({index})" : "Share link ({index})", "Create public link" : "Create public link", "Actions for \"{title}\"" : "Actions for \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Copy public link of \"{title}\" to clipboard", + "Copy public link of \"{title}\"" : "Copy public link of \"{title}\"", "Error, please enter proper password and/or expiration date" : "Error, please enter proper password and/or expiration date", "Link share created" : "Link share created", "Error while creating the share" : "Error while creating the share", @@ -241,7 +239,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Name, email, or Federated Cloud ID …", "Searching …" : "Searching …", "No elements found." : "No elements found.", - "Search globally" : "Search globally", + "Search everywhere" : "Search everywhere", "Guest" : "Guest", "Group" : "Group", "Email" : "Email", @@ -260,7 +258,7 @@ OC.L10N.register( "Successfully uploaded files" : "Successfully uploaded files", "View terms of service" : "View terms of service", "Terms of service" : "Terms of service", - "Share with {userName}" : "Share with {userName}", + "Share with {user}" : "Share with {user}", "Share with email {email}" : "Share with email {email}", "Share with group" : "Share with group", "Share in conversation" : "Share in conversation", @@ -305,13 +303,14 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Unable to fetch inherited shares", "Link shares" : "Link shares", "Shares" : "Shares", - "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." : "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.", - "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." : "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.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Shares that are not part of the internal or external shares. This can be shares from apps or other sources.", - "Share with accounts, teams, federated cloud IDs" : "Share with accounts, teams, federated cloud IDs", - "Share with accounts and teams" : "Share with accounts and teams", - "Federated cloud ID" : "Federated cloud ID", - "Email, federated cloud ID" : "Email, federated cloud ID", + "Share files within your organization. Recipients who can already view the file can also use this link for easy access." : "Share files within your organization. Recipients who can already view the file can also use this link for easy access.", + "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID." : "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID.", + "Shares from apps or other sources which are not included in internal or external shares." : "Shares from apps or other sources which are not included in internal or external shares.", + "Type names, teams, federated cloud IDs" : "Type names, teams, federated cloud IDs", + "Type names or teams" : "Type names or teams", + "Type a federated cloud ID" : "Type a federated cloud ID", + "Type an email" : "Type an email", + "Type an email or federated cloud ID" : "Type an email or federated cloud ID", "Unable to load the shares list" : "Unable to load the shares list", "Expires {relativetime}" : "Expires {relativetime}", "this share just expired." : "this share just expired.", @@ -330,7 +329,7 @@ OC.L10N.register( "Shared" : "Shared", "Shared by {ownerDisplayName}" : "Shared by {ownerDisplayName}", "Shared multiple times with different people" : "Shared multiple times with different people", - "Show sharing options" : "Show sharing options", + "Sharing options" : "Sharing options", "Shared with others" : "Shared with others", "Create file request" : "Create file request", "Upload files to {foldername}" : "Upload files to {foldername}", @@ -417,13 +416,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Failed to add the public link to your Nextcloud", "You are not allowed to edit link shares that you don't own" : "You are not allowed to edit link shares that you don't own", "Download all files" : "Download all files", + "Link copied to clipboard" : "Link copied to clipboard", "_1 email address already added_::_{count} email addresses already added_" : ["1 email address already added","{count} email addresses already added"], "_1 email address added_::_{count} email addresses added_" : ["1 email address added","{count} email addresses added"], + "Copy to clipboard" : "Copy to clipboard", + "Copy internal link to clipboard" : "Copy internal link to clipboard", + "Only works for people with access to this folder" : "Only works for people with access to this folder", + "Only works for people with access to this file" : "Only works for people with access to this file", + "Copy public link of \"{title}\" to clipboard" : "Copy public link of \"{title}\" to clipboard", + "Search globally" : "Search globally", "Search for share recipients" : "Search for share recipients", "No recommendations. Start typing." : "No recommendations. Start typing.", "To upload files, you need to provide your name first." : "To upload files, you need to provide your name first.", "Enter your name" : "Enter your name", "Submit name" : "Submit name", + "Share with {userName}" : "Share with {userName}", + "Show sharing options" : "Show sharing options", "Share note" : "Share note", "Upload files to %s" : "Upload files to %s", "%s shared a folder with you." : "%s shared a folder with you.", @@ -433,7 +441,12 @@ OC.L10N.register( "Uploaded files:" : "Uploaded files:", "By uploading files, you agree to the %1$sterms of service%2$s." : "By uploading files, you agree to the %1$sterms of service%2$s.", "Name" : "Surname", + "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." : "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.", + "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." : "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.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Shares that are not part of the internal or external shares. This can be shares from apps or other sources.", "Share with accounts, teams, federated cloud id" : "Share with accounts, teams, federated cloud id", + "Share with accounts and teams" : "Share with accounts and teams", + "Federated cloud ID" : "Federated cloud ID", "Email, federated cloud id" : "Email, federated cloud id", "Filename must not be empty." : "Filename must not be empty." }, diff --git a/apps/files_sharing/l10n/en_GB.json b/apps/files_sharing/l10n/en_GB.json index 39cf0ef5314..72eea217340 100644 --- a/apps/files_sharing/l10n/en_GB.json +++ b/apps/files_sharing/l10n/en_GB.json @@ -132,7 +132,7 @@ "Generate a new password" : "Generate a new password", "Your administrator has enforced a password protection." : "Your administrator has enforced a password protection.", "Automatically copying failed, please copy the share link manually" : "Automatically copying failed, please copy the share link manually", - "Link copied to clipboard" : "Link copied to clipboard", + "Link copied" : "Link copied", "Email already added" : "Email already added", "Invalid email address" : "Invalid email address", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["The following email address is not valid: {emails}","The following email addresses are not valid: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count} email address added","{count} email addresses added"], "You can now share the link below to allow people to upload files to your directory." : "You can now share the link below to allow people to upload files to your directory.", "Share link" : "Share link", - "Copy to clipboard" : "Copy to clipboard", + "Copy" : "Copy", "Send link via email" : "Send link via email", "Enter an email address or paste a list" : "Enter an email address or paste a list", "Remove email" : "Remove email", @@ -199,10 +199,8 @@ "Via “{folder}”" : "Via “{folder}”", "Unshare" : "Unshare", "Cannot copy, please copy the link manually" : "Cannot copy, please copy the link manually", - "Copy internal link to clipboard" : "Copy internal link to clipboard", - "Only works for people with access to this folder" : "Only works for people with access to this folder", - "Only works for people with access to this file" : "Only works for people with access to this file", - "Link copied" : "Link copied", + "Copy internal link" : "Copy internal link", + "For people who already have access" : "For people who already have access", "Internal link" : "Internal link", "{shareWith} by {initiator}" : "{shareWith} by {initiator}", "Shared via link by {initiator}" : "Shared via link by {initiator}", @@ -213,7 +211,7 @@ "Share link ({index})" : "Share link ({index})", "Create public link" : "Create public link", "Actions for \"{title}\"" : "Actions for \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Copy public link of \"{title}\" to clipboard", + "Copy public link of \"{title}\"" : "Copy public link of \"{title}\"", "Error, please enter proper password and/or expiration date" : "Error, please enter proper password and/or expiration date", "Link share created" : "Link share created", "Error while creating the share" : "Error while creating the share", @@ -239,7 +237,7 @@ "Name, email, or Federated Cloud ID …" : "Name, email, or Federated Cloud ID …", "Searching …" : "Searching …", "No elements found." : "No elements found.", - "Search globally" : "Search globally", + "Search everywhere" : "Search everywhere", "Guest" : "Guest", "Group" : "Group", "Email" : "Email", @@ -258,7 +256,7 @@ "Successfully uploaded files" : "Successfully uploaded files", "View terms of service" : "View terms of service", "Terms of service" : "Terms of service", - "Share with {userName}" : "Share with {userName}", + "Share with {user}" : "Share with {user}", "Share with email {email}" : "Share with email {email}", "Share with group" : "Share with group", "Share in conversation" : "Share in conversation", @@ -303,13 +301,14 @@ "Unable to fetch inherited shares" : "Unable to fetch inherited shares", "Link shares" : "Link shares", "Shares" : "Shares", - "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." : "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.", - "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." : "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.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Shares that are not part of the internal or external shares. This can be shares from apps or other sources.", - "Share with accounts, teams, federated cloud IDs" : "Share with accounts, teams, federated cloud IDs", - "Share with accounts and teams" : "Share with accounts and teams", - "Federated cloud ID" : "Federated cloud ID", - "Email, federated cloud ID" : "Email, federated cloud ID", + "Share files within your organization. Recipients who can already view the file can also use this link for easy access." : "Share files within your organization. Recipients who can already view the file can also use this link for easy access.", + "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID." : "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID.", + "Shares from apps or other sources which are not included in internal or external shares." : "Shares from apps or other sources which are not included in internal or external shares.", + "Type names, teams, federated cloud IDs" : "Type names, teams, federated cloud IDs", + "Type names or teams" : "Type names or teams", + "Type a federated cloud ID" : "Type a federated cloud ID", + "Type an email" : "Type an email", + "Type an email or federated cloud ID" : "Type an email or federated cloud ID", "Unable to load the shares list" : "Unable to load the shares list", "Expires {relativetime}" : "Expires {relativetime}", "this share just expired." : "this share just expired.", @@ -328,7 +327,7 @@ "Shared" : "Shared", "Shared by {ownerDisplayName}" : "Shared by {ownerDisplayName}", "Shared multiple times with different people" : "Shared multiple times with different people", - "Show sharing options" : "Show sharing options", + "Sharing options" : "Sharing options", "Shared with others" : "Shared with others", "Create file request" : "Create file request", "Upload files to {foldername}" : "Upload files to {foldername}", @@ -415,13 +414,22 @@ "Failed to add the public link to your Nextcloud" : "Failed to add the public link to your Nextcloud", "You are not allowed to edit link shares that you don't own" : "You are not allowed to edit link shares that you don't own", "Download all files" : "Download all files", + "Link copied to clipboard" : "Link copied to clipboard", "_1 email address already added_::_{count} email addresses already added_" : ["1 email address already added","{count} email addresses already added"], "_1 email address added_::_{count} email addresses added_" : ["1 email address added","{count} email addresses added"], + "Copy to clipboard" : "Copy to clipboard", + "Copy internal link to clipboard" : "Copy internal link to clipboard", + "Only works for people with access to this folder" : "Only works for people with access to this folder", + "Only works for people with access to this file" : "Only works for people with access to this file", + "Copy public link of \"{title}\" to clipboard" : "Copy public link of \"{title}\" to clipboard", + "Search globally" : "Search globally", "Search for share recipients" : "Search for share recipients", "No recommendations. Start typing." : "No recommendations. Start typing.", "To upload files, you need to provide your name first." : "To upload files, you need to provide your name first.", "Enter your name" : "Enter your name", "Submit name" : "Submit name", + "Share with {userName}" : "Share with {userName}", + "Show sharing options" : "Show sharing options", "Share note" : "Share note", "Upload files to %s" : "Upload files to %s", "%s shared a folder with you." : "%s shared a folder with you.", @@ -431,7 +439,12 @@ "Uploaded files:" : "Uploaded files:", "By uploading files, you agree to the %1$sterms of service%2$s." : "By uploading files, you agree to the %1$sterms of service%2$s.", "Name" : "Surname", + "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." : "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.", + "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." : "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.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Shares that are not part of the internal or external shares. This can be shares from apps or other sources.", "Share with accounts, teams, federated cloud id" : "Share with accounts, teams, federated cloud id", + "Share with accounts and teams" : "Share with accounts and teams", + "Federated cloud ID" : "Federated cloud ID", "Email, federated cloud id" : "Email, federated cloud id", "Filename must not be empty." : "Filename must not be empty." },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_sharing/l10n/es.js b/apps/files_sharing/l10n/es.js index 6db11d86aa0..bac32f0113b 100644 --- a/apps/files_sharing/l10n/es.js +++ b/apps/files_sharing/l10n/es.js @@ -65,7 +65,7 @@ OC.L10N.register( "Please specify a file or folder path" : "Por favor, especifica la ubicación de un archivo o carpeta", "Wrong path, file/folder does not exist" : "Ubicación incorrecta, el archivo/carpeta no existe", "Could not create share" : "No se ha podido compartir", - "Please specify a valid account to share with" : "Por favor, especifique una cuenta válida con la que compartirla", + "Please specify a valid account to share with" : "Por favor, especifique una cuenta válida con la que compartir", "Group sharing is disabled by the administrator" : "Compartir en grupo está deshabilitado por el administrador", "Please specify a valid group" : "Por favor, especifica un grupo válido", "Public link sharing is disabled by the administrator" : "Compartir enlaces de forma pública está deshabilitado por el administrador", @@ -90,8 +90,8 @@ OC.L10N.register( "You are not allowed to edit incoming shares" : "No tiene permitido editar los recursos compartidos entrantes", "Wrong or no update parameter given" : "No se ha suministrado un parametro correcto", "\"Sending the password by Nextcloud Talk\" for sharing a file or folder failed because Nextcloud Talk is not enabled." : "\"El envío de la contraseña por Nextcloud Talk\" para compartir un archivo o carpeta falló porque Nextcloud Talk no está habilitado.", - "Custom share link tokens have been disabled by the administrator" : "Los enlaces compartidos personalizados con tokens han sido deshabilitados por el administrador", - "Tokens must contain at least 1 character and may only contain letters, numbers, or a hyphen" : "Los tokens deben contener al menos un caracter y solo deben contener letras, números y guiones", + "Custom share link tokens have been disabled by the administrator" : "Los tokens para enlaces de recursos compartidos personalizados han sido deshabilitados por el administrador", + "Tokens must contain at least 1 character and may only contain letters, numbers, or a hyphen" : "Los tokens deben contener al menos un carácter y solo deben contener letras, números o un guion", "Invalid date. Format must be YYYY-MM-DD" : "Fecha inválida. El formato debe ser AAAA-MM-DD", "No sharing rights on this item" : "Sin permisos para compartir este elemento", "Invalid share attributes provided: \"%s\"" : "Se proporcionaron atributos inválidos para el recurso compartido: \"%s\"", @@ -116,7 +116,7 @@ OC.L10N.register( "Remember to upload the files to %s" : "Recuerde subir los archivos a %s", "We would like to kindly remind you that you have not yet uploaded any files to the shared folder." : "Queremos recordarle amablemente que Ud. todavía no ha subido archivos a la carpeta compartida.", "Open \"%s\"" : "Abrir \"%s\"", - "This application enables people to share files within Nextcloud. If enabled, the admin can choose which groups can share files. The applicable people can then share files and folders with other accounts and groups within Nextcloud. In addition, if the admin enables the share link feature, an external link can be used to share files with other people outside of Nextcloud. Admins can also enforce passwords, expirations dates, and enable server to server sharing via share links, as well as sharing from mobile devices.\nTurning the feature off removes shared files and folders on the server for all share recipients, and also on the sync clients and mobile apps. More information is available in the Nextcloud Documentation." : "Esta aplicación permite a los usuarios compartir archivos dentro de Nextcloud. Si se activa, el administrador puede elegir qué grupos pueden compartir archivos. Los usuarios aplicables pueden entonces compartir archivos y carpetas con otros usuarios y grupos dentro de Nextcloud. Además, si el administrador activa la característica de enlace compartido, se puede usar un enlace externo para compartir archivos con otros usuarios fuera de Nextcloud. Los administradores pueden obligar a usar contraseñas o fechas de caducidad y activar el compartir de servidor a servidor vía enlaces compartidos, así como compartir desde dispositivos móviles.\nQuitar esta característica elimina los archivos compartidos y las carpetas en el servidor, para todos los receptores, y también los clientes de sincronización y móviles. Más información disponible en la Documentación de Nextcloud.", + "This application enables people to share files within Nextcloud. If enabled, the admin can choose which groups can share files. The applicable people can then share files and folders with other accounts and groups within Nextcloud. In addition, if the admin enables the share link feature, an external link can be used to share files with other people outside of Nextcloud. Admins can also enforce passwords, expirations dates, and enable server to server sharing via share links, as well as sharing from mobile devices.\nTurning the feature off removes shared files and folders on the server for all share recipients, and also on the sync clients and mobile apps. More information is available in the Nextcloud Documentation." : "Esta aplicación permite a las personas compartir archivos dentro de Nextcloud. Si se activa, el administrador puede elegir qué grupos pueden compartir archivos. Los usuarios aplicables pueden entonces compartir archivos y carpetas con otros usuarios y grupos dentro de Nextcloud. Además, si el administrador activa la característica de enlaces de recurso compartido, se puede usar un enlace externo para compartir archivos con otros usuarios fuera de Nextcloud. Los administradores pueden obligar a usar contraseñas o fechas de caducidad y activar el compartir de servidor a servidor vía enlaces de recursos compartidos, así como compartir desde dispositivos móviles.\nSi se apaga esta característica, se quitarán los recursos compartidos de archivos y carpetas en el servidor para todos los receptores, y también los clientes de sincronización y móviles. Hay más información disponible en la Documentación de Nextcloud.", "People" : "Personas", "Filter accounts" : "Filtrar cuentas", "The request will expire on {date} at midnight and will be password protected." : "La solicitud caducará el {date} a la medianoche y estará protegida por contraseña.", @@ -128,22 +128,22 @@ OC.L10N.register( "Select a date" : "Seleccione una fecha", "Your administrator has enforced a {count} days expiration policy." : "Su administrador ha impuesto una política de caducidad de {count} días.", "What password should be used for the request?" : "¿Qué contraseña debería usarse para la solicitud?", - "Set a password" : "Configura una contraseña", + "Set a password" : "Configure una contraseña", "Password" : "Contraseña", "Enter a valid password" : "Ingrese una contraseña válida", "Generate a new password" : "Generar una nueva contraseña", "Your administrator has enforced a password protection." : "Su administrador ha hecho obligatoria una protección con contraseñas.", "Automatically copying failed, please copy the share link manually" : "La copia automática falló, por favor, copie el enlace compartido manualmente", - "Link copied to clipboard" : "Enlace copiado al portapapeles", + "Link copied" : "Enlace copiado", "Email already added" : "El correo electrónico ya fue añadido", "Invalid email address" : "Dirección de correo electrónico inválida", - "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["La siguiente dirección de correo no es válida: {emails}","Las siguientes direcciones de correo no son válidas: {emails}","Las siguientes direcciones de correo no son válidas: {emails}"], + "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["La siguiente dirección de correo electrónico no es válida: {emails}","Las siguientes direcciones de correo electrónicas no son válidas: {emails}","Las siguientes direcciones de correo electrónicas no son válidas: {emails}"], "_{count} email address already added_::_{count} email addresses already added_" : ["Ya se añadió {count} dirección de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico"], "_{count} email address added_::_{count} email addresses added_" : ["Se añadió {count}dirección de correo electrónico","Se añadieron {count} direcciones de correo electrónico","Se añadieron {count} direcciones de correo electrónico"], "You can now share the link below to allow people to upload files to your directory." : "Ahora puede compartir el enlace de abajo para permitir a otros que carguen archivos a su directorio.", "Share link" : "Compartir enlace", - "Copy to clipboard" : "Copiar al portapapeles", - "Send link via email" : "Enviar el link por email", + "Copy" : "Copiar", + "Send link via email" : "Enviar el link via correo electrónico", "Enter an email address or paste a list" : "Ingrese una dirección de correo electrónico o pegue una lista", "Remove email" : "Quitar correo electrónico", "Select a destination" : "Seleccionar un destino", @@ -178,7 +178,7 @@ OC.L10N.register( "Close without sending emails" : "Cerrar sin enviar los correos electrónicos", "Continue" : "Continuar", "Error while toggling options" : "Error cambiar las opciones", - "Accept shares from other accounts and groups by default" : "Aceptar recursos compartidos de otras cuentas y grupos por defecto", + "Accept shares from other accounts and groups by default" : "Aceptar recursos compartidos de otras cuentas y grupos de manera predeterminada", "Choose a default folder for accepted shares" : "Elije la carpeta por defecto para los recursos compartidos aceptados", "Invalid path selected" : "Ruta seleccionada no válida.", "Unknown error" : "Error desconocido", @@ -201,32 +201,30 @@ OC.L10N.register( "Via “{folder}”" : "Vía \"{folder}\"", "Unshare" : "No compartir", "Cannot copy, please copy the link manually" : "No se ha podido copiar, por favor, copia el enlace manualmente", - "Copy internal link to clipboard" : "Copiar enlace interno al portapapeles", - "Only works for people with access to this folder" : "Sólo funciona para personas con acceso a esta carpeta", - "Only works for people with access to this file" : "Sólo funciona para personas con acceso a este archivo", - "Link copied" : "Enlace copiado", + "Copy internal link" : "Copiar enlace interno", + "For people who already have access" : "Para las personas que ya tienen acceso", "Internal link" : "Enlace interno", "{shareWith} by {initiator}" : "{shareWith} por {initiator}", "Shared via link by {initiator}" : "Compartido vía enlace por {initiator}", "File request ({label})" : "Solicitud de archivo ({label})", "Mail share ({label})" : "Compartir correo ({label})", "Share link ({label})" : "Compartir enlace ({label})", - "Mail share" : "Compartido por correo", - "Share link ({index})" : "Compartir enlace ({index})", + "Mail share" : "Recurso compartido de correo", + "Share link ({index})" : "Enlace de recurso compartido ({index})", "Create public link" : "Crear un enlace público", "Actions for \"{title}\"" : "Acciones para \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Copiar enlace público de \"{title}\" al portapapeles", + "Copy public link of \"{title}\"" : "Copiar enlace público de \"{title}\"", "Error, please enter proper password and/or expiration date" : "Error, por favor, introduce la contraseña y/o fecha de caducidad adecuada", - "Link share created" : "Se creó el enlace de compartición", + "Link share created" : "Se creó el enlace del recurso compartido", "Error while creating the share" : "Error mientras se creaba el recurso compartido", "Please enter the following required information before creating the share" : "Por favor, escriba la información necesaria antes de crear el recurso compartido", "Password protection (enforced)" : "Protección con contraseña (impuesta)", "Password protection" : "Protección por contraseña", "Enter a password" : "Introduzca una contraseña", - "Enable link expiration (enforced)" : "Activar la caducidad del enlace (exigida)", + "Enable link expiration (enforced)" : "Activar la caducidad del enlace (obligatoria)", "Enable link expiration" : "Activar la caducidad del enlace", - "Enter expiration date (enforced)" : "Introduce la fecha de caducidad (exigida)", - "Enter expiration date" : "Introduce la fecha de caducidad", + "Enter expiration date (enforced)" : "Introduzca la fecha de caducidad (obligatoria)", + "Enter expiration date" : "Introduzca la fecha de caducidad", "Create share" : "Crear un recurso compartido", "Customize link" : "Personalizar enlace", "Generate QR code" : "Generar código QR", @@ -241,7 +239,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Nombre, correo electrónico o ID de nube federada...", "Searching …" : "Buscando ...", "No elements found." : "No se encontraron elementos.", - "Search globally" : "Buscar globalmente", + "Search everywhere" : "Buscar en todas partes", "Guest" : "Invitado", "Group" : "Grupo", "Email" : "Correo electrónico", @@ -255,12 +253,12 @@ OC.L10N.register( "Note from" : "Nota de", "Note:" : "Nota:", "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", + "Upload files to {foldername}." : "Subir archivos a {foldername}.", + "By uploading files, you agree to the terms of service." : "Al subir archivos, acepta 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}", + "Share with {user}" : "Compartir con {user}", "Share with email {email}" : "Compartido con {email}", "Share with group" : "Compartir con grupo", "Share in conversation" : "Compartir en conversación", @@ -276,17 +274,17 @@ OC.L10N.register( "Delete" : "Eliminar", "Password field cannot be empty" : "El campo de contraseña no puede estar vacío", "Replace current password" : "Reemplazar la contraseña actual", - "Failed to generate a new token" : "Error al generar un nuevo token", + "Failed to generate a new token" : "Fallo al generar un nuevo token", "Allow upload and editing" : "Permitir la subida y la edición", "Allow editing" : "Permitir edición", "Upload only" : "Sólo subir", - "Advanced settings" : "Configuración avanzada", + "Advanced settings" : "Ajustes avanzados", "Share label" : "Compartir etiqueta", "Share link token" : "Compartir el token del enlace", - "Set the public share link token to something easy to remember or generate a new token. It is not recommended to use a guessable token for shares which contain sensitive information." : "Escribe un token de enlace público compartido que sea fácil de recordar, o genera un nuevo token. No recomendamos el uso de tokens fácilmente adivinables para recursos compartidos que contengan información sensible.", - "Generating…" : "Generando...", + "Set the public share link token to something easy to remember or generate a new token. It is not recommended to use a guessable token for shares which contain sensitive information." : "Establezca el token del enlace público del recurso compartido a algo fácil de recordar, o, genere un token nuevo. No recomendamos el uso de tokens fáciles de deducir para recursos compartidos que contengan información sensible.", + "Generating…" : "Generando…", "Generate new token" : "Generar nuevo token", - "Set password" : "Crear contraseña", + "Set password" : "Establecer contraseña", "Password expires {passwordExpirationTime}" : "La contraseña caduca el {passwordExpirationTime}", "Password expired" : "Contraseña caducada", "Video verification" : "Verificación por vídeo", @@ -297,31 +295,32 @@ OC.L10N.register( "Note to recipient" : "Nota para el destinatario", "Enter a note for the share recipient" : "Escriba una nota para el recurso compartido del destinatario", "Show files in grid view" : "Mostrar archivos en vista de cuadrícula", - "Delete share" : "Borrar recurso compartido", + "Delete share" : "Eliminar recurso compartido", "Others with access" : "Otros con acceso", "No other accounts with access found" : "No se encontraron otras cuentas con acceso", "Toggle list of others with access to this directory" : "Pasar la lista de otros con acceso a este carpeta", "Toggle list of others with access to this file" : "Pasar la lista de otros con acceso a este archivo", "Unable to fetch inherited shares" : "No se ha podido recoger los recursos compartidos heredados", - "Link shares" : "Enlaces compartido", + "Link shares" : "Enlaces del recurso compartido", "Shares" : "Compartidos", - "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", + "Share files within your organization. Recipients who can already view the file can also use this link for easy access." : "Comparta archivos con su organización. Los destinatarios que ya pueden ver el archivo también pueden utilizar este enlace para un acceso fácil.", + "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID." : "Comparta archivos con otros fuera de su organización vía enlaces públicos y direcciones de correo electrónico. Ud. puede también compartir con cuentas de Nextcloud en otras instancias utilizando su ID de nube federada.", + "Shares from apps or other sources which are not included in internal or external shares." : "Los recursos compartidos desde las apps o de otras fuentes que no están incluidos en recursos compartidos internos o externos.", + "Type names, teams, federated cloud IDs" : "Escriba nombres, equipos, IDs de nubes federadas", + "Type names or teams" : "Escriba nombres o equipos", + "Type a federated cloud ID" : "Escriba un ID de nube federada", + "Type an email" : "Escriba una dirección de correo electrónico", + "Type an email or federated cloud ID" : "Escriba una dirección de correo electrónico o un 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.", "Shared with you by {owner}" : "Compartido contigo por {owner}", - "Internal shares" : "Compartir internamente", - "Internal shares explanation" : "Compartir internamente explicado", - "External shares" : "Compartir con el exterior", - "External shares explanation" : "Compartir con el exterior explicado", - "Additional shares" : "Otras formas de compartir", - "Additional shares explanation" : "Otras formas de compartir explicadas", + "Internal shares" : "Recursos compartidos internamente", + "Internal shares explanation" : "Explicación de los recursos compartidos externos", + "External shares" : "Recursos compartidos externos", + "External shares explanation" : "Explicación de los recursos compartidos externos", + "Additional shares" : "Recursos compartidos adicionales", + "Additional shares explanation" : "Explicación de los recursos compartidos adicionales", "Link to a file" : "Enlace al archivo", "_Accept share_::_Accept shares_" : ["Aceptar recurso compartido","Aceptar recursos compartidos","Aceptar recursos compartidos"], "Open in Files" : "Abrir en Archivos", @@ -330,26 +329,26 @@ OC.L10N.register( "Shared" : "Compartido", "Shared by {ownerDisplayName}" : "Compartido por {ownerDisplayName}", "Shared multiple times with different people" : "Compartido múltiples veces con diferentes personas", - "Show sharing options" : "Mostrar opciones de compartir", + "Sharing options" : "Opciones de compartir", "Shared with others" : "Compartido con otros", "Create file request" : "Crear solicitud de archivo", - "Upload files to {foldername}" : "Cargar archivos a {foldername}", - "Public file share" : "Archivo compartido en público", - "Publicly shared file." : "Archivo compartido públicamente", + "Upload files to {foldername}" : "Subir archivos a {foldername}", + "Public file share" : "Recurso compartido público de archivo", + "Publicly shared file." : "Archivo compartido públicamente.", "No file" : "Sin archivo", - "The file shared with you will show up here" : "Los archivos compartidos contigo aparecerán aquí", - "Public share" : "Compartido públicamente", + "The file shared with you will show up here" : "El archivo compartido con Ud. aparecerá aquí", + "Public share" : "Recurso compartido público", "Publicly shared files." : "Archivos compartidos públicamente.", "No files" : "Sin archivos", - "Files and folders shared with you will show up here" : "Los archivos y carpetas compartidos contigo aparecerán aquí", - "Overview of shared files." : "Vista previa de los recursos compartidos", + "Files and folders shared with you will show up here" : "Los archivos y carpetas compartidos con Ud. aparecerán aquí", + "Overview of shared files." : "Resumen de archivos compartidos.", "No shares" : "No compartidos", - "Files and folders you shared or have been shared with you will show up here" : "Aquí aparecerán los archivos y carpetas que has compartido o que se han compartido con ud", + "Files and folders you shared or have been shared with you will show up here" : "Aquí aparecerán los archivos y carpetas que ha compartido o que se han compartido con Ud.", "Shared with you" : "Compartido conmigo", - "List of files that are shared with you." : "Lista de archivos que se han compartido contigo.", + "List of files that are shared with you." : "Lista de archivos que se han compartido con Ud.", "Nothing shared with you yet" : "Aún no hay nada compartido contigo", - "Files and folders others shared with you will show up here" : "Aquí aparecerán los archivos y carpetas que otros han compartido con ud", - "List of files that you shared with others." : "Lista de archivos que has compartido con otros.", + "Files and folders others shared with you will show up here" : "Aquí aparecerán los archivos y carpetas que otros han compartido con Ud.", + "List of files that you shared with others." : "Lista de archivos que ha compartido con otros.", "Nothing shared yet" : "Aún no hay nada compartido", "Files and folders you shared will show up here" : "Aquí aparecerán los archivos y carpetas que ha compartido", "Shared by link" : "Compartido por enlace", @@ -357,17 +356,17 @@ OC.L10N.register( "No shared links" : "No hay enlaces compartidos", "Files and folders you shared by link will show up here" : "Aquí aparecerán los archivos y carpetas que ha compartido mediante enlace", "File requests" : "Solicitudes de archivos", - "List of file requests." : "Lista de solicitudes de archivos", + "List of file requests." : "Lista de solicitudes de archivos.", "No file requests" : "Sin solicitudes de archivos", - "File requests you have created will show up here" : "Las solicitudes de archivos que hayas creado aparecerán aquí", + "File requests you have created will show up here" : "Las solicitudes de archivos que haya creado aparecerán aquí", "Deleted shares" : "Recursos compartidos eliminados", - "List of shares you left." : "Lista de compartidos que abandonó.", + "List of shares you left." : "Lista de recursos compartidos que abandonó.", "No deleted shares" : "No hay recursos compartidos eliminados", - "Shares you have left will show up here" : "Aquí aparecerán los compartidos que ha abandonado", + "Shares you have left will show up here" : "Aquí aparecerán los recursos compartidos que ha abandonado", "Pending shares" : "Recursos compartidos pendientes", - "List of unapproved shares." : "Lista de recursos compartidos no aprobados", + "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", + "Shares you have received but not approved will show up here" : "Aquí aparecerán los recursos 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}", @@ -377,15 +376,15 @@ OC.L10N.register( "Could not update share" : "No se ha podido actualizar el recurso compartido", "Share saved" : "Recurso compartido guardado", "Share expiry date saved" : "Fecha de caducidad del recurso compartido guardada", - "Share hide-download state saved" : "Ocultar la decarga del recurso compartido guardado", + "Share hide-download state saved" : "Estado de prevención de descargas para el recurso compartido guardado", "Share label saved" : "Se ha guardado la etiqueta del recurso compartido", "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}", + "Upload files to {folder}" : "Subir 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.", + "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} ha compartido una carpeta con Ud.", "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.", @@ -417,23 +416,37 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "No se ha podido añadir el enlace público a tu Nextcloud", "You are not allowed to edit link shares that you don't own" : "No tiene permitido editar los enlaces compartidos que no le pertenecen", "Download all files" : "Descargar todos los archivos", + "Link copied to clipboard" : "Enlace copiado al portapapeles", "_1 email address already added_::_{count} email addresses already added_" : ["Ya se ha añadido 1 dirección de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico"], - "_1 email address added_::_{count} email addresses added_" : ["Se ha añadido una dirección de correo","Se han añadido {count} direcciones de correo","Se han añadido {count} direcciones de correo"], - "Search for share recipients" : "Buscar destinatarios del compartido", + "_1 email address added_::_{count} email addresses added_" : ["Se ha añadido 1 dirección de correo","Se han añadido {count} direcciones de correo","Se han añadido {count} direcciones de correo"], + "Copy to clipboard" : "Copiar al portapapeles", + "Copy internal link to clipboard" : "Copiar enlace interno al portapapeles", + "Only works for people with access to this folder" : "Sólo funciona para personas con acceso a esta carpeta", + "Only works for people with access to this file" : "Sólo funciona para personas con acceso a este archivo", + "Copy public link of \"{title}\" to clipboard" : "Copiar enlace público de \"{title}\" al portapapeles", + "Search globally" : "Buscar globalmente", + "Search for share recipients" : "Buscar destinatarios para el recurso compartido", "No recommendations. Start typing." : "No hay recomendaciones. Comience a escribir.", - "To upload files, you need to provide your name first." : "Para cargar archivos, primero debes indicar tu nombre.", + "To upload files, you need to provide your name first." : "Para subir archivos, primero debe indicar su nombre.", "Enter your name" : "Escriba su nombre", "Submit name" : "Enviar nombre", + "Share with {userName}" : "Compartir con {userName}", + "Show sharing options" : "Mostrar opciones de compartir", "Share note" : "Compartir nota", "Upload files to %s" : "Subir archivos a %s", - "%s shared a folder with you." : "%s ha compartido una carpeta contigo.", + "%s shared a folder with you." : "%s ha compartido una carpeta con Ud.", "Note" : "Nota", "Select or drop files" : "Seleccione o arrastre y suelte archivos", "Uploading files" : "Subiendo archivos", "Uploaded files:" : "Archivos subidos:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Al subir archivos, aceptas los %1$stérminos del servicio%2$s.", "Name" : "Nombre", + "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." : "Utilice este método para compartir archivos con individuos o equipos dentro de su organización. Si el destinatario ya tiene acceso pero no puede encontrarlos, puede 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." : "Use este método para compartir archivos con individuos u organizaciones fuera de su organización. Los archivos y carpetas pueden ser compartidos mediante enlaces públicos y por correo electrónico. También puede 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. Estos pueden ser recursos compartidos de apps u otras fuentes.", "Share with accounts, teams, federated cloud id" : "Comparta con cuentas, equipos, id de nube federada", + "Share with accounts and teams" : "Compartir con cuentas y equipos", + "Federated cloud ID" : "ID de nube federada", "Email, federated cloud id" : "Email, ID de nube federada", "Filename must not be empty." : "El nombre de archivo no debe estar vacío." }, diff --git a/apps/files_sharing/l10n/es.json b/apps/files_sharing/l10n/es.json index 9d3aef5d575..535f8b8e98b 100644 --- a/apps/files_sharing/l10n/es.json +++ b/apps/files_sharing/l10n/es.json @@ -63,7 +63,7 @@ "Please specify a file or folder path" : "Por favor, especifica la ubicación de un archivo o carpeta", "Wrong path, file/folder does not exist" : "Ubicación incorrecta, el archivo/carpeta no existe", "Could not create share" : "No se ha podido compartir", - "Please specify a valid account to share with" : "Por favor, especifique una cuenta válida con la que compartirla", + "Please specify a valid account to share with" : "Por favor, especifique una cuenta válida con la que compartir", "Group sharing is disabled by the administrator" : "Compartir en grupo está deshabilitado por el administrador", "Please specify a valid group" : "Por favor, especifica un grupo válido", "Public link sharing is disabled by the administrator" : "Compartir enlaces de forma pública está deshabilitado por el administrador", @@ -88,8 +88,8 @@ "You are not allowed to edit incoming shares" : "No tiene permitido editar los recursos compartidos entrantes", "Wrong or no update parameter given" : "No se ha suministrado un parametro correcto", "\"Sending the password by Nextcloud Talk\" for sharing a file or folder failed because Nextcloud Talk is not enabled." : "\"El envío de la contraseña por Nextcloud Talk\" para compartir un archivo o carpeta falló porque Nextcloud Talk no está habilitado.", - "Custom share link tokens have been disabled by the administrator" : "Los enlaces compartidos personalizados con tokens han sido deshabilitados por el administrador", - "Tokens must contain at least 1 character and may only contain letters, numbers, or a hyphen" : "Los tokens deben contener al menos un caracter y solo deben contener letras, números y guiones", + "Custom share link tokens have been disabled by the administrator" : "Los tokens para enlaces de recursos compartidos personalizados han sido deshabilitados por el administrador", + "Tokens must contain at least 1 character and may only contain letters, numbers, or a hyphen" : "Los tokens deben contener al menos un carácter y solo deben contener letras, números o un guion", "Invalid date. Format must be YYYY-MM-DD" : "Fecha inválida. El formato debe ser AAAA-MM-DD", "No sharing rights on this item" : "Sin permisos para compartir este elemento", "Invalid share attributes provided: \"%s\"" : "Se proporcionaron atributos inválidos para el recurso compartido: \"%s\"", @@ -114,7 +114,7 @@ "Remember to upload the files to %s" : "Recuerde subir los archivos a %s", "We would like to kindly remind you that you have not yet uploaded any files to the shared folder." : "Queremos recordarle amablemente que Ud. todavía no ha subido archivos a la carpeta compartida.", "Open \"%s\"" : "Abrir \"%s\"", - "This application enables people to share files within Nextcloud. If enabled, the admin can choose which groups can share files. The applicable people can then share files and folders with other accounts and groups within Nextcloud. In addition, if the admin enables the share link feature, an external link can be used to share files with other people outside of Nextcloud. Admins can also enforce passwords, expirations dates, and enable server to server sharing via share links, as well as sharing from mobile devices.\nTurning the feature off removes shared files and folders on the server for all share recipients, and also on the sync clients and mobile apps. More information is available in the Nextcloud Documentation." : "Esta aplicación permite a los usuarios compartir archivos dentro de Nextcloud. Si se activa, el administrador puede elegir qué grupos pueden compartir archivos. Los usuarios aplicables pueden entonces compartir archivos y carpetas con otros usuarios y grupos dentro de Nextcloud. Además, si el administrador activa la característica de enlace compartido, se puede usar un enlace externo para compartir archivos con otros usuarios fuera de Nextcloud. Los administradores pueden obligar a usar contraseñas o fechas de caducidad y activar el compartir de servidor a servidor vía enlaces compartidos, así como compartir desde dispositivos móviles.\nQuitar esta característica elimina los archivos compartidos y las carpetas en el servidor, para todos los receptores, y también los clientes de sincronización y móviles. Más información disponible en la Documentación de Nextcloud.", + "This application enables people to share files within Nextcloud. If enabled, the admin can choose which groups can share files. The applicable people can then share files and folders with other accounts and groups within Nextcloud. In addition, if the admin enables the share link feature, an external link can be used to share files with other people outside of Nextcloud. Admins can also enforce passwords, expirations dates, and enable server to server sharing via share links, as well as sharing from mobile devices.\nTurning the feature off removes shared files and folders on the server for all share recipients, and also on the sync clients and mobile apps. More information is available in the Nextcloud Documentation." : "Esta aplicación permite a las personas compartir archivos dentro de Nextcloud. Si se activa, el administrador puede elegir qué grupos pueden compartir archivos. Los usuarios aplicables pueden entonces compartir archivos y carpetas con otros usuarios y grupos dentro de Nextcloud. Además, si el administrador activa la característica de enlaces de recurso compartido, se puede usar un enlace externo para compartir archivos con otros usuarios fuera de Nextcloud. Los administradores pueden obligar a usar contraseñas o fechas de caducidad y activar el compartir de servidor a servidor vía enlaces de recursos compartidos, así como compartir desde dispositivos móviles.\nSi se apaga esta característica, se quitarán los recursos compartidos de archivos y carpetas en el servidor para todos los receptores, y también los clientes de sincronización y móviles. Hay más información disponible en la Documentación de Nextcloud.", "People" : "Personas", "Filter accounts" : "Filtrar cuentas", "The request will expire on {date} at midnight and will be password protected." : "La solicitud caducará el {date} a la medianoche y estará protegida por contraseña.", @@ -126,22 +126,22 @@ "Select a date" : "Seleccione una fecha", "Your administrator has enforced a {count} days expiration policy." : "Su administrador ha impuesto una política de caducidad de {count} días.", "What password should be used for the request?" : "¿Qué contraseña debería usarse para la solicitud?", - "Set a password" : "Configura una contraseña", + "Set a password" : "Configure una contraseña", "Password" : "Contraseña", "Enter a valid password" : "Ingrese una contraseña válida", "Generate a new password" : "Generar una nueva contraseña", "Your administrator has enforced a password protection." : "Su administrador ha hecho obligatoria una protección con contraseñas.", "Automatically copying failed, please copy the share link manually" : "La copia automática falló, por favor, copie el enlace compartido manualmente", - "Link copied to clipboard" : "Enlace copiado al portapapeles", + "Link copied" : "Enlace copiado", "Email already added" : "El correo electrónico ya fue añadido", "Invalid email address" : "Dirección de correo electrónico inválida", - "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["La siguiente dirección de correo no es válida: {emails}","Las siguientes direcciones de correo no son válidas: {emails}","Las siguientes direcciones de correo no son válidas: {emails}"], + "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["La siguiente dirección de correo electrónico no es válida: {emails}","Las siguientes direcciones de correo electrónicas no son válidas: {emails}","Las siguientes direcciones de correo electrónicas no son válidas: {emails}"], "_{count} email address already added_::_{count} email addresses already added_" : ["Ya se añadió {count} dirección de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico"], "_{count} email address added_::_{count} email addresses added_" : ["Se añadió {count}dirección de correo electrónico","Se añadieron {count} direcciones de correo electrónico","Se añadieron {count} direcciones de correo electrónico"], "You can now share the link below to allow people to upload files to your directory." : "Ahora puede compartir el enlace de abajo para permitir a otros que carguen archivos a su directorio.", "Share link" : "Compartir enlace", - "Copy to clipboard" : "Copiar al portapapeles", - "Send link via email" : "Enviar el link por email", + "Copy" : "Copiar", + "Send link via email" : "Enviar el link via correo electrónico", "Enter an email address or paste a list" : "Ingrese una dirección de correo electrónico o pegue una lista", "Remove email" : "Quitar correo electrónico", "Select a destination" : "Seleccionar un destino", @@ -176,7 +176,7 @@ "Close without sending emails" : "Cerrar sin enviar los correos electrónicos", "Continue" : "Continuar", "Error while toggling options" : "Error cambiar las opciones", - "Accept shares from other accounts and groups by default" : "Aceptar recursos compartidos de otras cuentas y grupos por defecto", + "Accept shares from other accounts and groups by default" : "Aceptar recursos compartidos de otras cuentas y grupos de manera predeterminada", "Choose a default folder for accepted shares" : "Elije la carpeta por defecto para los recursos compartidos aceptados", "Invalid path selected" : "Ruta seleccionada no válida.", "Unknown error" : "Error desconocido", @@ -199,32 +199,30 @@ "Via “{folder}”" : "Vía \"{folder}\"", "Unshare" : "No compartir", "Cannot copy, please copy the link manually" : "No se ha podido copiar, por favor, copia el enlace manualmente", - "Copy internal link to clipboard" : "Copiar enlace interno al portapapeles", - "Only works for people with access to this folder" : "Sólo funciona para personas con acceso a esta carpeta", - "Only works for people with access to this file" : "Sólo funciona para personas con acceso a este archivo", - "Link copied" : "Enlace copiado", + "Copy internal link" : "Copiar enlace interno", + "For people who already have access" : "Para las personas que ya tienen acceso", "Internal link" : "Enlace interno", "{shareWith} by {initiator}" : "{shareWith} por {initiator}", "Shared via link by {initiator}" : "Compartido vía enlace por {initiator}", "File request ({label})" : "Solicitud de archivo ({label})", "Mail share ({label})" : "Compartir correo ({label})", "Share link ({label})" : "Compartir enlace ({label})", - "Mail share" : "Compartido por correo", - "Share link ({index})" : "Compartir enlace ({index})", + "Mail share" : "Recurso compartido de correo", + "Share link ({index})" : "Enlace de recurso compartido ({index})", "Create public link" : "Crear un enlace público", "Actions for \"{title}\"" : "Acciones para \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Copiar enlace público de \"{title}\" al portapapeles", + "Copy public link of \"{title}\"" : "Copiar enlace público de \"{title}\"", "Error, please enter proper password and/or expiration date" : "Error, por favor, introduce la contraseña y/o fecha de caducidad adecuada", - "Link share created" : "Se creó el enlace de compartición", + "Link share created" : "Se creó el enlace del recurso compartido", "Error while creating the share" : "Error mientras se creaba el recurso compartido", "Please enter the following required information before creating the share" : "Por favor, escriba la información necesaria antes de crear el recurso compartido", "Password protection (enforced)" : "Protección con contraseña (impuesta)", "Password protection" : "Protección por contraseña", "Enter a password" : "Introduzca una contraseña", - "Enable link expiration (enforced)" : "Activar la caducidad del enlace (exigida)", + "Enable link expiration (enforced)" : "Activar la caducidad del enlace (obligatoria)", "Enable link expiration" : "Activar la caducidad del enlace", - "Enter expiration date (enforced)" : "Introduce la fecha de caducidad (exigida)", - "Enter expiration date" : "Introduce la fecha de caducidad", + "Enter expiration date (enforced)" : "Introduzca la fecha de caducidad (obligatoria)", + "Enter expiration date" : "Introduzca la fecha de caducidad", "Create share" : "Crear un recurso compartido", "Customize link" : "Personalizar enlace", "Generate QR code" : "Generar código QR", @@ -239,7 +237,7 @@ "Name, email, or Federated Cloud ID …" : "Nombre, correo electrónico o ID de nube federada...", "Searching …" : "Buscando ...", "No elements found." : "No se encontraron elementos.", - "Search globally" : "Buscar globalmente", + "Search everywhere" : "Buscar en todas partes", "Guest" : "Invitado", "Group" : "Grupo", "Email" : "Correo electrónico", @@ -253,12 +251,12 @@ "Note from" : "Nota de", "Note:" : "Nota:", "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", + "Upload files to {foldername}." : "Subir archivos a {foldername}.", + "By uploading files, you agree to the terms of service." : "Al subir archivos, acepta 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}", + "Share with {user}" : "Compartir con {user}", "Share with email {email}" : "Compartido con {email}", "Share with group" : "Compartir con grupo", "Share in conversation" : "Compartir en conversación", @@ -274,17 +272,17 @@ "Delete" : "Eliminar", "Password field cannot be empty" : "El campo de contraseña no puede estar vacío", "Replace current password" : "Reemplazar la contraseña actual", - "Failed to generate a new token" : "Error al generar un nuevo token", + "Failed to generate a new token" : "Fallo al generar un nuevo token", "Allow upload and editing" : "Permitir la subida y la edición", "Allow editing" : "Permitir edición", "Upload only" : "Sólo subir", - "Advanced settings" : "Configuración avanzada", + "Advanced settings" : "Ajustes avanzados", "Share label" : "Compartir etiqueta", "Share link token" : "Compartir el token del enlace", - "Set the public share link token to something easy to remember or generate a new token. It is not recommended to use a guessable token for shares which contain sensitive information." : "Escribe un token de enlace público compartido que sea fácil de recordar, o genera un nuevo token. No recomendamos el uso de tokens fácilmente adivinables para recursos compartidos que contengan información sensible.", - "Generating…" : "Generando...", + "Set the public share link token to something easy to remember or generate a new token. It is not recommended to use a guessable token for shares which contain sensitive information." : "Establezca el token del enlace público del recurso compartido a algo fácil de recordar, o, genere un token nuevo. No recomendamos el uso de tokens fáciles de deducir para recursos compartidos que contengan información sensible.", + "Generating…" : "Generando…", "Generate new token" : "Generar nuevo token", - "Set password" : "Crear contraseña", + "Set password" : "Establecer contraseña", "Password expires {passwordExpirationTime}" : "La contraseña caduca el {passwordExpirationTime}", "Password expired" : "Contraseña caducada", "Video verification" : "Verificación por vídeo", @@ -295,31 +293,32 @@ "Note to recipient" : "Nota para el destinatario", "Enter a note for the share recipient" : "Escriba una nota para el recurso compartido del destinatario", "Show files in grid view" : "Mostrar archivos en vista de cuadrícula", - "Delete share" : "Borrar recurso compartido", + "Delete share" : "Eliminar recurso compartido", "Others with access" : "Otros con acceso", "No other accounts with access found" : "No se encontraron otras cuentas con acceso", "Toggle list of others with access to this directory" : "Pasar la lista de otros con acceso a este carpeta", "Toggle list of others with access to this file" : "Pasar la lista de otros con acceso a este archivo", "Unable to fetch inherited shares" : "No se ha podido recoger los recursos compartidos heredados", - "Link shares" : "Enlaces compartido", + "Link shares" : "Enlaces del recurso compartido", "Shares" : "Compartidos", - "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", + "Share files within your organization. Recipients who can already view the file can also use this link for easy access." : "Comparta archivos con su organización. Los destinatarios que ya pueden ver el archivo también pueden utilizar este enlace para un acceso fácil.", + "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID." : "Comparta archivos con otros fuera de su organización vía enlaces públicos y direcciones de correo electrónico. Ud. puede también compartir con cuentas de Nextcloud en otras instancias utilizando su ID de nube federada.", + "Shares from apps or other sources which are not included in internal or external shares." : "Los recursos compartidos desde las apps o de otras fuentes que no están incluidos en recursos compartidos internos o externos.", + "Type names, teams, federated cloud IDs" : "Escriba nombres, equipos, IDs de nubes federadas", + "Type names or teams" : "Escriba nombres o equipos", + "Type a federated cloud ID" : "Escriba un ID de nube federada", + "Type an email" : "Escriba una dirección de correo electrónico", + "Type an email or federated cloud ID" : "Escriba una dirección de correo electrónico o un 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.", "Shared with you by {owner}" : "Compartido contigo por {owner}", - "Internal shares" : "Compartir internamente", - "Internal shares explanation" : "Compartir internamente explicado", - "External shares" : "Compartir con el exterior", - "External shares explanation" : "Compartir con el exterior explicado", - "Additional shares" : "Otras formas de compartir", - "Additional shares explanation" : "Otras formas de compartir explicadas", + "Internal shares" : "Recursos compartidos internamente", + "Internal shares explanation" : "Explicación de los recursos compartidos externos", + "External shares" : "Recursos compartidos externos", + "External shares explanation" : "Explicación de los recursos compartidos externos", + "Additional shares" : "Recursos compartidos adicionales", + "Additional shares explanation" : "Explicación de los recursos compartidos adicionales", "Link to a file" : "Enlace al archivo", "_Accept share_::_Accept shares_" : ["Aceptar recurso compartido","Aceptar recursos compartidos","Aceptar recursos compartidos"], "Open in Files" : "Abrir en Archivos", @@ -328,26 +327,26 @@ "Shared" : "Compartido", "Shared by {ownerDisplayName}" : "Compartido por {ownerDisplayName}", "Shared multiple times with different people" : "Compartido múltiples veces con diferentes personas", - "Show sharing options" : "Mostrar opciones de compartir", + "Sharing options" : "Opciones de compartir", "Shared with others" : "Compartido con otros", "Create file request" : "Crear solicitud de archivo", - "Upload files to {foldername}" : "Cargar archivos a {foldername}", - "Public file share" : "Archivo compartido en público", - "Publicly shared file." : "Archivo compartido públicamente", + "Upload files to {foldername}" : "Subir archivos a {foldername}", + "Public file share" : "Recurso compartido público de archivo", + "Publicly shared file." : "Archivo compartido públicamente.", "No file" : "Sin archivo", - "The file shared with you will show up here" : "Los archivos compartidos contigo aparecerán aquí", - "Public share" : "Compartido públicamente", + "The file shared with you will show up here" : "El archivo compartido con Ud. aparecerá aquí", + "Public share" : "Recurso compartido público", "Publicly shared files." : "Archivos compartidos públicamente.", "No files" : "Sin archivos", - "Files and folders shared with you will show up here" : "Los archivos y carpetas compartidos contigo aparecerán aquí", - "Overview of shared files." : "Vista previa de los recursos compartidos", + "Files and folders shared with you will show up here" : "Los archivos y carpetas compartidos con Ud. aparecerán aquí", + "Overview of shared files." : "Resumen de archivos compartidos.", "No shares" : "No compartidos", - "Files and folders you shared or have been shared with you will show up here" : "Aquí aparecerán los archivos y carpetas que has compartido o que se han compartido con ud", + "Files and folders you shared or have been shared with you will show up here" : "Aquí aparecerán los archivos y carpetas que ha compartido o que se han compartido con Ud.", "Shared with you" : "Compartido conmigo", - "List of files that are shared with you." : "Lista de archivos que se han compartido contigo.", + "List of files that are shared with you." : "Lista de archivos que se han compartido con Ud.", "Nothing shared with you yet" : "Aún no hay nada compartido contigo", - "Files and folders others shared with you will show up here" : "Aquí aparecerán los archivos y carpetas que otros han compartido con ud", - "List of files that you shared with others." : "Lista de archivos que has compartido con otros.", + "Files and folders others shared with you will show up here" : "Aquí aparecerán los archivos y carpetas que otros han compartido con Ud.", + "List of files that you shared with others." : "Lista de archivos que ha compartido con otros.", "Nothing shared yet" : "Aún no hay nada compartido", "Files and folders you shared will show up here" : "Aquí aparecerán los archivos y carpetas que ha compartido", "Shared by link" : "Compartido por enlace", @@ -355,17 +354,17 @@ "No shared links" : "No hay enlaces compartidos", "Files and folders you shared by link will show up here" : "Aquí aparecerán los archivos y carpetas que ha compartido mediante enlace", "File requests" : "Solicitudes de archivos", - "List of file requests." : "Lista de solicitudes de archivos", + "List of file requests." : "Lista de solicitudes de archivos.", "No file requests" : "Sin solicitudes de archivos", - "File requests you have created will show up here" : "Las solicitudes de archivos que hayas creado aparecerán aquí", + "File requests you have created will show up here" : "Las solicitudes de archivos que haya creado aparecerán aquí", "Deleted shares" : "Recursos compartidos eliminados", - "List of shares you left." : "Lista de compartidos que abandonó.", + "List of shares you left." : "Lista de recursos compartidos que abandonó.", "No deleted shares" : "No hay recursos compartidos eliminados", - "Shares you have left will show up here" : "Aquí aparecerán los compartidos que ha abandonado", + "Shares you have left will show up here" : "Aquí aparecerán los recursos compartidos que ha abandonado", "Pending shares" : "Recursos compartidos pendientes", - "List of unapproved shares." : "Lista de recursos compartidos no aprobados", + "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", + "Shares you have received but not approved will show up here" : "Aquí aparecerán los recursos 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}", @@ -375,15 +374,15 @@ "Could not update share" : "No se ha podido actualizar el recurso compartido", "Share saved" : "Recurso compartido guardado", "Share expiry date saved" : "Fecha de caducidad del recurso compartido guardada", - "Share hide-download state saved" : "Ocultar la decarga del recurso compartido guardado", + "Share hide-download state saved" : "Estado de prevención de descargas para el recurso compartido guardado", "Share label saved" : "Se ha guardado la etiqueta del recurso compartido", "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}", + "Upload files to {folder}" : "Subir 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.", + "{ownerDisplayName} shared a folder with you." : "{ownerDisplayName} ha compartido una carpeta con Ud.", "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.", @@ -415,23 +414,37 @@ "Failed to add the public link to your Nextcloud" : "No se ha podido añadir el enlace público a tu Nextcloud", "You are not allowed to edit link shares that you don't own" : "No tiene permitido editar los enlaces compartidos que no le pertenecen", "Download all files" : "Descargar todos los archivos", + "Link copied to clipboard" : "Enlace copiado al portapapeles", "_1 email address already added_::_{count} email addresses already added_" : ["Ya se ha añadido 1 dirección de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico"], - "_1 email address added_::_{count} email addresses added_" : ["Se ha añadido una dirección de correo","Se han añadido {count} direcciones de correo","Se han añadido {count} direcciones de correo"], - "Search for share recipients" : "Buscar destinatarios del compartido", + "_1 email address added_::_{count} email addresses added_" : ["Se ha añadido 1 dirección de correo","Se han añadido {count} direcciones de correo","Se han añadido {count} direcciones de correo"], + "Copy to clipboard" : "Copiar al portapapeles", + "Copy internal link to clipboard" : "Copiar enlace interno al portapapeles", + "Only works for people with access to this folder" : "Sólo funciona para personas con acceso a esta carpeta", + "Only works for people with access to this file" : "Sólo funciona para personas con acceso a este archivo", + "Copy public link of \"{title}\" to clipboard" : "Copiar enlace público de \"{title}\" al portapapeles", + "Search globally" : "Buscar globalmente", + "Search for share recipients" : "Buscar destinatarios para el recurso compartido", "No recommendations. Start typing." : "No hay recomendaciones. Comience a escribir.", - "To upload files, you need to provide your name first." : "Para cargar archivos, primero debes indicar tu nombre.", + "To upload files, you need to provide your name first." : "Para subir archivos, primero debe indicar su nombre.", "Enter your name" : "Escriba su nombre", "Submit name" : "Enviar nombre", + "Share with {userName}" : "Compartir con {userName}", + "Show sharing options" : "Mostrar opciones de compartir", "Share note" : "Compartir nota", "Upload files to %s" : "Subir archivos a %s", - "%s shared a folder with you." : "%s ha compartido una carpeta contigo.", + "%s shared a folder with you." : "%s ha compartido una carpeta con Ud.", "Note" : "Nota", "Select or drop files" : "Seleccione o arrastre y suelte archivos", "Uploading files" : "Subiendo archivos", "Uploaded files:" : "Archivos subidos:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Al subir archivos, aceptas los %1$stérminos del servicio%2$s.", "Name" : "Nombre", + "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." : "Utilice este método para compartir archivos con individuos o equipos dentro de su organización. Si el destinatario ya tiene acceso pero no puede encontrarlos, puede 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." : "Use este método para compartir archivos con individuos u organizaciones fuera de su organización. Los archivos y carpetas pueden ser compartidos mediante enlaces públicos y por correo electrónico. También puede 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. Estos pueden ser recursos compartidos de apps u otras fuentes.", "Share with accounts, teams, federated cloud id" : "Comparta con cuentas, equipos, id de nube federada", + "Share with accounts and teams" : "Compartir con cuentas y equipos", + "Federated cloud ID" : "ID de nube federada", "Email, federated cloud id" : "Email, ID de nube federada", "Filename must not be empty." : "El nombre de archivo no debe estar vacío." },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" diff --git a/apps/files_sharing/l10n/es_EC.js b/apps/files_sharing/l10n/es_EC.js index 0e6dbcf3f26..33a22ba78a2 100644 --- a/apps/files_sharing/l10n/es_EC.js +++ b/apps/files_sharing/l10n/es_EC.js @@ -98,9 +98,9 @@ OC.L10N.register( "People" : "Personas", "Expiration date" : "Fecha de expiración", "Set a password" : "Establecer una contraseña", - "Link copied to clipboard" : "Enlace copiado al portapapeles", + "Link copied" : "Enlace copiado", "Share link" : "Compartir enlace", - "Copy to clipboard" : "Copiar al portapapeles", + "Copy" : "Copiar", "Close" : "Cerrar", "Error creating the share: {errorMessage}" : "Error al crear la compartición: {errorMessage}", "Error creating the share" : "Error al crear la compartición", @@ -125,8 +125,7 @@ OC.L10N.register( "Via “{folder}”" : "A través de \"{folder}\"", "Unshare" : "Dejar de compartir", "Cannot copy, please copy the link manually" : "No se puede copiar, por favor copia el enlace manualmente", - "Copy internal link to clipboard" : "Copiar enlace interno al portapapeles", - "Link copied" : "Enlace copiado", + "Copy internal link" : "Copiar enlace interno", "Internal link" : "Enlace interno", "{shareWith} by {initiator}" : "{shareWith} por {initiator}", "Shared via link by {initiator}" : "Compartido a través de enlace por {initiator}", @@ -135,7 +134,6 @@ OC.L10N.register( "Share link ({index})" : "Enlace compartido ({index})", "Create public link" : "Crear enlace público", "Actions for \"{title}\"" : "Acciones para \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Copiar enlace público de \"{title}\" al portapapeles", "Error, please enter proper password and/or expiration date" : "Error, por favor ingresa una contraseña y/o fecha de vencimiento adecuadas", "Link share created" : "Enlace compartido creado", "Error while creating the share" : "Error al crear la compartición", @@ -153,7 +151,6 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Nombre, correo electrónico o ID de la nube federada...", "Searching …" : "Buscando...", "No elements found." : "No se encontraron elementos.", - "Search globally" : "Buscar globalmente", "Guest" : "Invitado", "Group" : "Grupo", "Email" : "Correo electrónico", @@ -245,6 +242,11 @@ OC.L10N.register( "Invalid server URL" : "URL del servidor inválido", "Failed to add the public link to your Nextcloud" : "Se presentó una falla al agregar el enlace público a tu Nextcloud", "Download all files" : "Descargar todos los archivos", + "Link copied to clipboard" : "Enlace copiado al portapapeles", + "Copy to clipboard" : "Copiar al portapapeles", + "Copy internal link to clipboard" : "Copiar enlace interno al portapapeles", + "Copy public link of \"{title}\" to clipboard" : "Copiar enlace público de \"{title}\" al portapapeles", + "Search globally" : "Buscar globalmente", "Search for share recipients" : "Buscar destinatarios de la compartición", "No recommendations. Start typing." : "No hay recomendaciones. Comienza a escribir.", "Share note" : "Compartir nota", diff --git a/apps/files_sharing/l10n/es_EC.json b/apps/files_sharing/l10n/es_EC.json index d5e79f185ee..e023396cace 100644 --- a/apps/files_sharing/l10n/es_EC.json +++ b/apps/files_sharing/l10n/es_EC.json @@ -96,9 +96,9 @@ "People" : "Personas", "Expiration date" : "Fecha de expiración", "Set a password" : "Establecer una contraseña", - "Link copied to clipboard" : "Enlace copiado al portapapeles", + "Link copied" : "Enlace copiado", "Share link" : "Compartir enlace", - "Copy to clipboard" : "Copiar al portapapeles", + "Copy" : "Copiar", "Close" : "Cerrar", "Error creating the share: {errorMessage}" : "Error al crear la compartición: {errorMessage}", "Error creating the share" : "Error al crear la compartición", @@ -123,8 +123,7 @@ "Via “{folder}”" : "A través de \"{folder}\"", "Unshare" : "Dejar de compartir", "Cannot copy, please copy the link manually" : "No se puede copiar, por favor copia el enlace manualmente", - "Copy internal link to clipboard" : "Copiar enlace interno al portapapeles", - "Link copied" : "Enlace copiado", + "Copy internal link" : "Copiar enlace interno", "Internal link" : "Enlace interno", "{shareWith} by {initiator}" : "{shareWith} por {initiator}", "Shared via link by {initiator}" : "Compartido a través de enlace por {initiator}", @@ -133,7 +132,6 @@ "Share link ({index})" : "Enlace compartido ({index})", "Create public link" : "Crear enlace público", "Actions for \"{title}\"" : "Acciones para \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Copiar enlace público de \"{title}\" al portapapeles", "Error, please enter proper password and/or expiration date" : "Error, por favor ingresa una contraseña y/o fecha de vencimiento adecuadas", "Link share created" : "Enlace compartido creado", "Error while creating the share" : "Error al crear la compartición", @@ -151,7 +149,6 @@ "Name, email, or Federated Cloud ID …" : "Nombre, correo electrónico o ID de la nube federada...", "Searching …" : "Buscando...", "No elements found." : "No se encontraron elementos.", - "Search globally" : "Buscar globalmente", "Guest" : "Invitado", "Group" : "Grupo", "Email" : "Correo electrónico", @@ -243,6 +240,11 @@ "Invalid server URL" : "URL del servidor inválido", "Failed to add the public link to your Nextcloud" : "Se presentó una falla al agregar el enlace público a tu Nextcloud", "Download all files" : "Descargar todos los archivos", + "Link copied to clipboard" : "Enlace copiado al portapapeles", + "Copy to clipboard" : "Copiar al portapapeles", + "Copy internal link to clipboard" : "Copiar enlace interno al portapapeles", + "Copy public link of \"{title}\" to clipboard" : "Copiar enlace público de \"{title}\" al portapapeles", + "Search globally" : "Buscar globalmente", "Search for share recipients" : "Buscar destinatarios de la compartición", "No recommendations. Start typing." : "No hay recomendaciones. Comienza a escribir.", "Share note" : "Compartir nota", diff --git a/apps/files_sharing/l10n/es_MX.js b/apps/files_sharing/l10n/es_MX.js index 6077bf303b6..a4fbebfd969 100644 --- a/apps/files_sharing/l10n/es_MX.js +++ b/apps/files_sharing/l10n/es_MX.js @@ -127,13 +127,13 @@ OC.L10N.register( "Generate a new password" : "Generar una nueva contraseña", "Your administrator has enforced a password protection." : "Su administrador ha impuesto la protección por contraseña.", "Automatically copying failed, please copy the share link manually" : "La copia automática falló, por favor, copie el enlace compartido manualmente", - "Link copied to clipboard" : "Enlace copiado al portapapeles", + "Link copied" : "Vinculo copiado", "Email already added" : "El correo electrónico ya está añadido", "Invalid email address" : "Correo electrónico inválido", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Las siguiente dirección de correo electrónico es inválida: {emails}","Las siguientes direcciones de correo electrónico son inválidas: {emails}","Las siguientes direcciones de correo electrónico son inválidas: {emails}"], "You can now share the link below to allow people to upload files to your directory." : "Ahora puede compartir el enlace de abajo para permitir a otros que carguen archivos a su directorio.", "Share link" : "Compartir liga", - "Copy to clipboard" : "Copiar al portapapeles", + "Copy" : "Copiar", "Send link via email" : "Enviar la liga por correo electrónico", "Enter an email address or paste a list" : "Ingrese una dirección de correo electrónico o pegue una lista", "Remove email" : "Eliminar correo electrónico", @@ -189,10 +189,7 @@ OC.L10N.register( "Via “{folder}”" : "Vía \"{folder}\"", "Unshare" : "Dejar de compartir", "Cannot copy, please copy the link manually" : "No se ha podido copiar, por favor, copia el enlace manualmente", - "Copy internal link to clipboard" : "Copiar enlace interno al portapapeles", - "Only works for people with access to this folder" : "Sólo funciona para personas con acceso a esta carpeta", - "Only works for people with access to this file" : "Sólo funciona para personas con acceso a este archivo", - "Link copied" : "Vinculo copiado", + "Copy internal link" : "Copiar enlace interno", "Internal link" : "Enlace interno", "{shareWith} by {initiator}" : "{shareWith} por {initiator}", "Shared via link by {initiator}" : "Compartido vía enlace por {initiator}", @@ -203,7 +200,6 @@ OC.L10N.register( "Share link ({index})" : "Compartir enlace ({index})", "Create public link" : "Crear enlace público", "Actions for \"{title}\"" : "Acciones para \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Copiar enlace público de \"{title}\" al portapapeles", "Error, please enter proper password and/or expiration date" : "Error, por favor ingrese una contraseña y/o fecha de caducidad adecuadas", "Link share created" : "Enlace compartido creado", "Error while creating the share" : "Error al crear el recurso compartido", @@ -225,7 +221,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Nombre, correo electrónico o identificador de la nube federada ...", "Searching …" : "Buscando …", "No elements found." : "No se encontraron elementos", - "Search globally" : "Búsqueda global", + "Search everywhere" : "Buscar en todas partes", "Guest" : "Invitado", "Group" : "Grupo", "Email" : "Correo electrónico", @@ -238,7 +234,6 @@ OC.L10N.register( "Note:" : "Nota:", "File drop" : "Soltar archivo", "Terms of service" : "Términos del servicio", - "Share with {userName}" : "Compartir con {userName}", "Share with email {email}" : "Compartir al correo electrónico {email}", "Share with group" : "Compartir con el grupo", "Share in conversation" : "Compartir en la conversación", @@ -285,7 +280,6 @@ OC.L10N.register( "Shared" : "Compartido", "Shared by {ownerDisplayName}" : "Compartido por {ownerDisplayName}", "Shared multiple times with different people" : "Compartido múltiples veces con diferentes personas", - "Show sharing options" : "Mostrar opciones de compartir", "Shared with others" : "Compartido con otros", "Create file request" : "Crear solicitud de archivo", "No file" : "Sin archivo", @@ -345,13 +339,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Se presentó una falla al agregar la liga pública a tu Nextcloud", "You are not allowed to edit link shares that you don't own" : "No tiene permitido editar los enlaces compartidos que no le pertenecen", "Download all files" : "Descargar todos los archivos", + "Link copied to clipboard" : "Enlace copiado al portapapeles", "_1 email address already added_::_{count} email addresses already added_" : ["Ya se ha añadido 1 dirección de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico"], "_1 email address added_::_{count} email addresses added_" : ["Se añadió 1 dirección de correo electrónico","Se añadieron {count} direcciones de correo electrónico","Se añadieron {count} direcciones de correo electrónico"], + "Copy to clipboard" : "Copiar al portapapeles", + "Copy internal link to clipboard" : "Copiar enlace interno al portapapeles", + "Only works for people with access to this folder" : "Sólo funciona para personas con acceso a esta carpeta", + "Only works for people with access to this file" : "Sólo funciona para personas con acceso a este archivo", + "Copy public link of \"{title}\" to clipboard" : "Copiar enlace público de \"{title}\" al portapapeles", + "Search globally" : "Búsqueda global", "Search for share recipients" : "Buscar destinatarios del recurso compartido", "No recommendations. Start typing." : "Sin recomendaciones. Empiece a escribir.", "To upload files, you need to provide your name first." : "Para cargar archivos, primero debe proveer su nombre.", "Enter your name" : "Ingrese su nombre", "Submit name" : "Enviar nombre", + "Share with {userName}" : "Compartir con {userName}", + "Show sharing options" : "Mostrar opciones de compartir", "Share note" : "Compartir nota", "Upload files to %s" : "Cargar archivos a %s", "%s shared a folder with you." : "%s le compartió una carpeta.", diff --git a/apps/files_sharing/l10n/es_MX.json b/apps/files_sharing/l10n/es_MX.json index c4605f0cbb3..a7bd8fdb9a3 100644 --- a/apps/files_sharing/l10n/es_MX.json +++ b/apps/files_sharing/l10n/es_MX.json @@ -125,13 +125,13 @@ "Generate a new password" : "Generar una nueva contraseña", "Your administrator has enforced a password protection." : "Su administrador ha impuesto la protección por contraseña.", "Automatically copying failed, please copy the share link manually" : "La copia automática falló, por favor, copie el enlace compartido manualmente", - "Link copied to clipboard" : "Enlace copiado al portapapeles", + "Link copied" : "Vinculo copiado", "Email already added" : "El correo electrónico ya está añadido", "Invalid email address" : "Correo electrónico inválido", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Las siguiente dirección de correo electrónico es inválida: {emails}","Las siguientes direcciones de correo electrónico son inválidas: {emails}","Las siguientes direcciones de correo electrónico son inválidas: {emails}"], "You can now share the link below to allow people to upload files to your directory." : "Ahora puede compartir el enlace de abajo para permitir a otros que carguen archivos a su directorio.", "Share link" : "Compartir liga", - "Copy to clipboard" : "Copiar al portapapeles", + "Copy" : "Copiar", "Send link via email" : "Enviar la liga por correo electrónico", "Enter an email address or paste a list" : "Ingrese una dirección de correo electrónico o pegue una lista", "Remove email" : "Eliminar correo electrónico", @@ -187,10 +187,7 @@ "Via “{folder}”" : "Vía \"{folder}\"", "Unshare" : "Dejar de compartir", "Cannot copy, please copy the link manually" : "No se ha podido copiar, por favor, copia el enlace manualmente", - "Copy internal link to clipboard" : "Copiar enlace interno al portapapeles", - "Only works for people with access to this folder" : "Sólo funciona para personas con acceso a esta carpeta", - "Only works for people with access to this file" : "Sólo funciona para personas con acceso a este archivo", - "Link copied" : "Vinculo copiado", + "Copy internal link" : "Copiar enlace interno", "Internal link" : "Enlace interno", "{shareWith} by {initiator}" : "{shareWith} por {initiator}", "Shared via link by {initiator}" : "Compartido vía enlace por {initiator}", @@ -201,7 +198,6 @@ "Share link ({index})" : "Compartir enlace ({index})", "Create public link" : "Crear enlace público", "Actions for \"{title}\"" : "Acciones para \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Copiar enlace público de \"{title}\" al portapapeles", "Error, please enter proper password and/or expiration date" : "Error, por favor ingrese una contraseña y/o fecha de caducidad adecuadas", "Link share created" : "Enlace compartido creado", "Error while creating the share" : "Error al crear el recurso compartido", @@ -223,7 +219,7 @@ "Name, email, or Federated Cloud ID …" : "Nombre, correo electrónico o identificador de la nube federada ...", "Searching …" : "Buscando …", "No elements found." : "No se encontraron elementos", - "Search globally" : "Búsqueda global", + "Search everywhere" : "Buscar en todas partes", "Guest" : "Invitado", "Group" : "Grupo", "Email" : "Correo electrónico", @@ -236,7 +232,6 @@ "Note:" : "Nota:", "File drop" : "Soltar archivo", "Terms of service" : "Términos del servicio", - "Share with {userName}" : "Compartir con {userName}", "Share with email {email}" : "Compartir al correo electrónico {email}", "Share with group" : "Compartir con el grupo", "Share in conversation" : "Compartir en la conversación", @@ -283,7 +278,6 @@ "Shared" : "Compartido", "Shared by {ownerDisplayName}" : "Compartido por {ownerDisplayName}", "Shared multiple times with different people" : "Compartido múltiples veces con diferentes personas", - "Show sharing options" : "Mostrar opciones de compartir", "Shared with others" : "Compartido con otros", "Create file request" : "Crear solicitud de archivo", "No file" : "Sin archivo", @@ -343,13 +337,22 @@ "Failed to add the public link to your Nextcloud" : "Se presentó una falla al agregar la liga pública a tu Nextcloud", "You are not allowed to edit link shares that you don't own" : "No tiene permitido editar los enlaces compartidos que no le pertenecen", "Download all files" : "Descargar todos los archivos", + "Link copied to clipboard" : "Enlace copiado al portapapeles", "_1 email address already added_::_{count} email addresses already added_" : ["Ya se ha añadido 1 dirección de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico","Ya se han añadido {count} direcciones de correo electrónico"], "_1 email address added_::_{count} email addresses added_" : ["Se añadió 1 dirección de correo electrónico","Se añadieron {count} direcciones de correo electrónico","Se añadieron {count} direcciones de correo electrónico"], + "Copy to clipboard" : "Copiar al portapapeles", + "Copy internal link to clipboard" : "Copiar enlace interno al portapapeles", + "Only works for people with access to this folder" : "Sólo funciona para personas con acceso a esta carpeta", + "Only works for people with access to this file" : "Sólo funciona para personas con acceso a este archivo", + "Copy public link of \"{title}\" to clipboard" : "Copiar enlace público de \"{title}\" al portapapeles", + "Search globally" : "Búsqueda global", "Search for share recipients" : "Buscar destinatarios del recurso compartido", "No recommendations. Start typing." : "Sin recomendaciones. Empiece a escribir.", "To upload files, you need to provide your name first." : "Para cargar archivos, primero debe proveer su nombre.", "Enter your name" : "Ingrese su nombre", "Submit name" : "Enviar nombre", + "Share with {userName}" : "Compartir con {userName}", + "Show sharing options" : "Mostrar opciones de compartir", "Share note" : "Compartir nota", "Upload files to %s" : "Cargar archivos a %s", "%s shared a folder with you." : "%s le compartió una carpeta.", diff --git a/apps/files_sharing/l10n/et_EE.js b/apps/files_sharing/l10n/et_EE.js index faa937543e9..82f61954554 100644 --- a/apps/files_sharing/l10n/et_EE.js +++ b/apps/files_sharing/l10n/et_EE.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Loo uus salasõna", "Your administrator has enforced a password protection." : "Sinu serveri peakasutaja on kehtestanud salasõna kasutamise reegli.", "Automatically copying failed, please copy the share link manually" : "Automaatne kopeerimine ei toimi, palun kopeeri jagamislink käsitsi", - "Link copied to clipboard" : "Link on lõikelauale kopeeritud", + "Link copied" : "Link kopeeritud", "Email already added" : "E-posti aadress on juba lisatud", "Invalid email address" : "Vigane e-posti aadress", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Järgnev e-posti aadress pole korrektne: {emails}","Järgnevad e-posti aadressid pole korrektsed: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count} e-posti aadress on lisatud","{count} e-posti aadressi on lisatud"], "You can now share the link below to allow people to upload files to your directory." : "Nüüd saad teistega jagada alltoodud linki ning neil on võimalik faile sinu kausta üles laadida.", "Share link" : "Jaga link", - "Copy to clipboard" : "Kopeeri lõikepuhvrisse", + "Copy" : "Kopeeri", "Send link via email" : "Saada link e-kirjaga", "Enter an email address or paste a list" : "Sisesta e-posti aadress või lisa loend", "Remove email" : "Eemalda e-posti aadress", @@ -201,10 +201,7 @@ OC.L10N.register( "Via “{folder}”" : "„{folder}“ kausta kaudu", "Unshare" : "Lõpeta jagamine", "Cannot copy, please copy the link manually" : "Ei saa kopeerida, palun kopeeri link käsitsi", - "Copy internal link to clipboard" : "Kopeeri sisemine link lõikelauale", - "Only works for people with access to this folder" : "Toimib vaid kasutajate puhul, kellel on ligipääs siia kausta", - "Only works for people with access to this file" : "Toimib vaid kasutajate puhul, kellel on ligipääs sellele failile", - "Link copied" : "Link kopeeritud", + "Copy internal link" : "Kopeeri sisemine link", "Internal link" : "Sisemine link", "{shareWith} by {initiator}" : "{shareWith} kasutajalt {initiator}", "Shared via link by {initiator}" : "„{initiator}“ jagas seda lingiga", @@ -215,7 +212,6 @@ OC.L10N.register( "Share link ({index})" : "Jagamise link ({index})", "Create public link" : "Loo avalik link", "Actions for \"{title}\"" : "„{title}“ tegevused", - "Copy public link of \"{title}\" to clipboard" : "Kopeeri „{title}“ avalik link lõikelauale", "Error, please enter proper password and/or expiration date" : "Viga, palun sisesta korrektne salasõna ja/või aegumise kuupäev", "Link share created" : "Lingi jagamine on loodud", "Error while creating the share" : "Viga jaosmeedia loomisel", @@ -241,7 +237,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Nimi, e-posti aadress või liitpilve kasutajatunnus…", "Searching …" : "Otsin...", "No elements found." : "Elemente ei leidu.", - "Search globally" : "Otsi kõikjalt", + "Search everywhere" : "Otsi kõikjalt", "Guest" : "Külaline", "Group" : "Grupp", "Email" : "Epost", @@ -260,7 +256,6 @@ OC.L10N.register( "Successfully uploaded files" : "Failide üleslaadimine õnnestus", "View terms of service" : "Vaata kasutustingimusi", "Terms of service" : "Kasutustingimused", - "Share with {userName}" : "Jaga kasutajaga {userName}", "Share with email {email}" : "Jaga e-posti aadressile {email}", "Share with group" : "Jaga grupiga", "Share in conversation" : "Jaga vestluses", @@ -305,13 +300,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Päritud jaosmeedia laadimine ei õnnestu", "Link shares" : "Jaoslingid", "Shares" : "Jagamisi", - "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." : "Kasuta seda jagamismeetodit jagamisel oma organisatsiooni kasutajatega ja tiimidega. Kui kasutajal juba on jaosmeediale ligipääs, kuid ei suuad seda leida, siis lihtsuse mõttes saada talle süsteemisisene jagamislink.", - "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." : "Kasuta seda meetodit failide jagamiset erinevate inimeste ja organisatsioonidega väljaspool seda serverit. Faile ja kaustu saad jagada avaliku jaosmeedia abil, kui e-posti teel jagamisel. Lisaks saad jagada kasutajatele muudes Nextcloudi serverites ehk liitpilves.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Jaosmeedia, mis pole sisemise või välise jagamise osa. Näiteks jagamine rakendustest või muudest allikatest.", - "Share with accounts, teams, federated cloud IDs" : "Jaga kasutajatega, tiimidega ja liitpilves osalejatega", - "Share with accounts and teams" : "Jaga kasutajate ja tiimidega", - "Federated cloud ID" : "Liitpilve tunnus", - "Email, federated cloud ID" : "E-posti aadress, liitpilve kasutajatunnus", "Unable to load the shares list" : "Jaosmeedia loendi laadimine ei õnnestu", "Expires {relativetime}" : "Aegub {relativetime}", "this share just expired." : "see jagamine aegus äsja", @@ -330,7 +318,6 @@ OC.L10N.register( "Shared" : "Jagatud", "Shared by {ownerDisplayName}" : "Jagaja: {ownerDisplayName}", "Shared multiple times with different people" : "Jagatud mitu korda eri kasutajate poolt", - "Show sharing options" : "Näita jagamise valikuid", "Shared with others" : "Teistega jagatud", "Create file request" : "Koosta failipäring", "Upload files to {foldername}" : "Laadi failid üles kausta {foldername}", @@ -417,13 +404,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Avaliku lingi lisamine sinu Nextcloudi ebaõnnestus", "You are not allowed to edit link shares that you don't own" : "Sa ei saa muuta lingi jagamist, mis pole sinu oma", "Download all files" : "Laadi kõik failid alla", + "Link copied to clipboard" : "Link on lõikelauale kopeeritud", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-posti aadress on juba lisatud","{count} e-posti aadressi on juba lisatud"], "_1 email address added_::_{count} email addresses added_" : ["1 e-posti aadress on lisatud","{count} e-posti aadressi on lisatud"], + "Copy to clipboard" : "Kopeeri lõikepuhvrisse", + "Copy internal link to clipboard" : "Kopeeri sisemine link lõikelauale", + "Only works for people with access to this folder" : "Toimib vaid kasutajate puhul, kellel on ligipääs siia kausta", + "Only works for people with access to this file" : "Toimib vaid kasutajate puhul, kellel on ligipääs sellele failile", + "Copy public link of \"{title}\" to clipboard" : "Kopeeri „{title}“ avalik link lõikelauale", + "Search globally" : "Otsi kõikjalt", "Search for share recipients" : "Otsi jaosmeedia saajaid", "No recommendations. Start typing." : "Soovitusi pole. Alusta trükkimist.", "To upload files, you need to provide your name first." : "Faili üleslaadimiseks pead esmalt oma nime sisestama.", "Enter your name" : "Sisesta oma nimi", "Submit name" : "Salvesta nimi", + "Share with {userName}" : "Jaga kasutajaga {userName}", + "Show sharing options" : "Näita jagamise valikuid", "Share note" : "Jaga märget", "Upload files to %s" : "Laadi failid %s", "%s shared a folder with you." : "%s jagas sinuga kausta.", @@ -433,7 +429,12 @@ OC.L10N.register( "Uploaded files:" : "Üleslaaditud failid:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Faile üleslaadides nõustud sa „%2$s“ teenuse „%1$s“ kasutustingimustega.", "Name" : "Nimi", + "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." : "Kasuta seda jagamismeetodit jagamisel oma organisatsiooni kasutajatega ja tiimidega. Kui kasutajal juba on jaosmeediale ligipääs, kuid ei suuad seda leida, siis lihtsuse mõttes saada talle süsteemisisene jagamislink.", + "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." : "Kasuta seda meetodit failide jagamiset erinevate inimeste ja organisatsioonidega väljaspool seda serverit. Faile ja kaustu saad jagada avaliku jaosmeedia abil, kui e-posti teel jagamisel. Lisaks saad jagada kasutajatele muudes Nextcloudi serverites ehk liitpilves.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Jaosmeedia, mis pole sisemise või välise jagamise osa. Näiteks jagamine rakendustest või muudest allikatest.", "Share with accounts, teams, federated cloud id" : "Jaga kasutajatega, tiimidega ja liitpilves osalejatega", + "Share with accounts and teams" : "Jaga kasutajate ja tiimidega", + "Federated cloud ID" : "Liitpilve tunnus", "Email, federated cloud id" : "E-posti aadress, liitpilve kasutajatunnus", "Filename must not be empty." : "Failinimi ei saa olla tühi." }, diff --git a/apps/files_sharing/l10n/et_EE.json b/apps/files_sharing/l10n/et_EE.json index 6c63d373f7f..5cfcf31b318 100644 --- a/apps/files_sharing/l10n/et_EE.json +++ b/apps/files_sharing/l10n/et_EE.json @@ -132,7 +132,7 @@ "Generate a new password" : "Loo uus salasõna", "Your administrator has enforced a password protection." : "Sinu serveri peakasutaja on kehtestanud salasõna kasutamise reegli.", "Automatically copying failed, please copy the share link manually" : "Automaatne kopeerimine ei toimi, palun kopeeri jagamislink käsitsi", - "Link copied to clipboard" : "Link on lõikelauale kopeeritud", + "Link copied" : "Link kopeeritud", "Email already added" : "E-posti aadress on juba lisatud", "Invalid email address" : "Vigane e-posti aadress", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Järgnev e-posti aadress pole korrektne: {emails}","Järgnevad e-posti aadressid pole korrektsed: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count} e-posti aadress on lisatud","{count} e-posti aadressi on lisatud"], "You can now share the link below to allow people to upload files to your directory." : "Nüüd saad teistega jagada alltoodud linki ning neil on võimalik faile sinu kausta üles laadida.", "Share link" : "Jaga link", - "Copy to clipboard" : "Kopeeri lõikepuhvrisse", + "Copy" : "Kopeeri", "Send link via email" : "Saada link e-kirjaga", "Enter an email address or paste a list" : "Sisesta e-posti aadress või lisa loend", "Remove email" : "Eemalda e-posti aadress", @@ -199,10 +199,7 @@ "Via “{folder}”" : "„{folder}“ kausta kaudu", "Unshare" : "Lõpeta jagamine", "Cannot copy, please copy the link manually" : "Ei saa kopeerida, palun kopeeri link käsitsi", - "Copy internal link to clipboard" : "Kopeeri sisemine link lõikelauale", - "Only works for people with access to this folder" : "Toimib vaid kasutajate puhul, kellel on ligipääs siia kausta", - "Only works for people with access to this file" : "Toimib vaid kasutajate puhul, kellel on ligipääs sellele failile", - "Link copied" : "Link kopeeritud", + "Copy internal link" : "Kopeeri sisemine link", "Internal link" : "Sisemine link", "{shareWith} by {initiator}" : "{shareWith} kasutajalt {initiator}", "Shared via link by {initiator}" : "„{initiator}“ jagas seda lingiga", @@ -213,7 +210,6 @@ "Share link ({index})" : "Jagamise link ({index})", "Create public link" : "Loo avalik link", "Actions for \"{title}\"" : "„{title}“ tegevused", - "Copy public link of \"{title}\" to clipboard" : "Kopeeri „{title}“ avalik link lõikelauale", "Error, please enter proper password and/or expiration date" : "Viga, palun sisesta korrektne salasõna ja/või aegumise kuupäev", "Link share created" : "Lingi jagamine on loodud", "Error while creating the share" : "Viga jaosmeedia loomisel", @@ -239,7 +235,7 @@ "Name, email, or Federated Cloud ID …" : "Nimi, e-posti aadress või liitpilve kasutajatunnus…", "Searching …" : "Otsin...", "No elements found." : "Elemente ei leidu.", - "Search globally" : "Otsi kõikjalt", + "Search everywhere" : "Otsi kõikjalt", "Guest" : "Külaline", "Group" : "Grupp", "Email" : "Epost", @@ -258,7 +254,6 @@ "Successfully uploaded files" : "Failide üleslaadimine õnnestus", "View terms of service" : "Vaata kasutustingimusi", "Terms of service" : "Kasutustingimused", - "Share with {userName}" : "Jaga kasutajaga {userName}", "Share with email {email}" : "Jaga e-posti aadressile {email}", "Share with group" : "Jaga grupiga", "Share in conversation" : "Jaga vestluses", @@ -303,13 +298,6 @@ "Unable to fetch inherited shares" : "Päritud jaosmeedia laadimine ei õnnestu", "Link shares" : "Jaoslingid", "Shares" : "Jagamisi", - "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." : "Kasuta seda jagamismeetodit jagamisel oma organisatsiooni kasutajatega ja tiimidega. Kui kasutajal juba on jaosmeediale ligipääs, kuid ei suuad seda leida, siis lihtsuse mõttes saada talle süsteemisisene jagamislink.", - "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." : "Kasuta seda meetodit failide jagamiset erinevate inimeste ja organisatsioonidega väljaspool seda serverit. Faile ja kaustu saad jagada avaliku jaosmeedia abil, kui e-posti teel jagamisel. Lisaks saad jagada kasutajatele muudes Nextcloudi serverites ehk liitpilves.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Jaosmeedia, mis pole sisemise või välise jagamise osa. Näiteks jagamine rakendustest või muudest allikatest.", - "Share with accounts, teams, federated cloud IDs" : "Jaga kasutajatega, tiimidega ja liitpilves osalejatega", - "Share with accounts and teams" : "Jaga kasutajate ja tiimidega", - "Federated cloud ID" : "Liitpilve tunnus", - "Email, federated cloud ID" : "E-posti aadress, liitpilve kasutajatunnus", "Unable to load the shares list" : "Jaosmeedia loendi laadimine ei õnnestu", "Expires {relativetime}" : "Aegub {relativetime}", "this share just expired." : "see jagamine aegus äsja", @@ -328,7 +316,6 @@ "Shared" : "Jagatud", "Shared by {ownerDisplayName}" : "Jagaja: {ownerDisplayName}", "Shared multiple times with different people" : "Jagatud mitu korda eri kasutajate poolt", - "Show sharing options" : "Näita jagamise valikuid", "Shared with others" : "Teistega jagatud", "Create file request" : "Koosta failipäring", "Upload files to {foldername}" : "Laadi failid üles kausta {foldername}", @@ -415,13 +402,22 @@ "Failed to add the public link to your Nextcloud" : "Avaliku lingi lisamine sinu Nextcloudi ebaõnnestus", "You are not allowed to edit link shares that you don't own" : "Sa ei saa muuta lingi jagamist, mis pole sinu oma", "Download all files" : "Laadi kõik failid alla", + "Link copied to clipboard" : "Link on lõikelauale kopeeritud", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-posti aadress on juba lisatud","{count} e-posti aadressi on juba lisatud"], "_1 email address added_::_{count} email addresses added_" : ["1 e-posti aadress on lisatud","{count} e-posti aadressi on lisatud"], + "Copy to clipboard" : "Kopeeri lõikepuhvrisse", + "Copy internal link to clipboard" : "Kopeeri sisemine link lõikelauale", + "Only works for people with access to this folder" : "Toimib vaid kasutajate puhul, kellel on ligipääs siia kausta", + "Only works for people with access to this file" : "Toimib vaid kasutajate puhul, kellel on ligipääs sellele failile", + "Copy public link of \"{title}\" to clipboard" : "Kopeeri „{title}“ avalik link lõikelauale", + "Search globally" : "Otsi kõikjalt", "Search for share recipients" : "Otsi jaosmeedia saajaid", "No recommendations. Start typing." : "Soovitusi pole. Alusta trükkimist.", "To upload files, you need to provide your name first." : "Faili üleslaadimiseks pead esmalt oma nime sisestama.", "Enter your name" : "Sisesta oma nimi", "Submit name" : "Salvesta nimi", + "Share with {userName}" : "Jaga kasutajaga {userName}", + "Show sharing options" : "Näita jagamise valikuid", "Share note" : "Jaga märget", "Upload files to %s" : "Laadi failid %s", "%s shared a folder with you." : "%s jagas sinuga kausta.", @@ -431,7 +427,12 @@ "Uploaded files:" : "Üleslaaditud failid:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Faile üleslaadides nõustud sa „%2$s“ teenuse „%1$s“ kasutustingimustega.", "Name" : "Nimi", + "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." : "Kasuta seda jagamismeetodit jagamisel oma organisatsiooni kasutajatega ja tiimidega. Kui kasutajal juba on jaosmeediale ligipääs, kuid ei suuad seda leida, siis lihtsuse mõttes saada talle süsteemisisene jagamislink.", + "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." : "Kasuta seda meetodit failide jagamiset erinevate inimeste ja organisatsioonidega väljaspool seda serverit. Faile ja kaustu saad jagada avaliku jaosmeedia abil, kui e-posti teel jagamisel. Lisaks saad jagada kasutajatele muudes Nextcloudi serverites ehk liitpilves.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Jaosmeedia, mis pole sisemise või välise jagamise osa. Näiteks jagamine rakendustest või muudest allikatest.", "Share with accounts, teams, federated cloud id" : "Jaga kasutajatega, tiimidega ja liitpilves osalejatega", + "Share with accounts and teams" : "Jaga kasutajate ja tiimidega", + "Federated cloud ID" : "Liitpilve tunnus", "Email, federated cloud id" : "E-posti aadress, liitpilve kasutajatunnus", "Filename must not be empty." : "Failinimi ei saa olla tühi." },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_sharing/l10n/eu.js b/apps/files_sharing/l10n/eu.js index 5b4caa99625..a51e73e97ff 100644 --- a/apps/files_sharing/l10n/eu.js +++ b/apps/files_sharing/l10n/eu.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Sortu pasahitz berria", "Your administrator has enforced a password protection." : "Zure administratzaileak pasahitzez babestu behar dela ezarri du.", "Automatically copying failed, please copy the share link manually" : "Autimatikoki kopiatzeak huts egin du, kopiatu eskuz partekatze esteka", - "Link copied to clipboard" : "Arbelara kopiatutako esteka", + "Link copied" : "Esteka kopiatu da", "Email already added" : "Helbide elektronikoa dagoeneko gehituta dago", "Invalid email address" : "Baliogabeko helbide elektronikoa", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Ondorengo helbide elektronikoa ez da baliozkoa: {emails}","Ondorengo helbide elektronikoak ez dira baliozkoak: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["Helbide elektroniko {count} gehitu da","{count} helbide elektroniko gehitu dira"], "You can now share the link below to allow people to upload files to your directory." : "Orain beheko esteka parteka dezakezu jendeak zure direktoriora fitxategiak igo ditzan.", "Share link" : "Partekatu esteka", - "Copy to clipboard" : "Kopiatu arbelera", + "Copy" : "Kopiatu", "Send link via email" : "Bidali esteka posta elektronikoz", "Enter an email address or paste a list" : "Sartu helbide elektroniko bat edo itsatsi zerrenda bat", "Remove email" : "Kendu helbide elektronikoa", @@ -200,10 +200,7 @@ OC.L10N.register( "Via “{folder}”" : "“{folder}” bidez", "Unshare" : "Ez partekatu", "Cannot copy, please copy the link manually" : "Ezin izan da kopiatu. Kopiatu esteka eskuz", - "Copy internal link to clipboard" : "Kopiatu barne esteka arbelera", - "Only works for people with access to this folder" : "Karpeta honetara sarbidea duten pertsonentzat bakarrik funtzionatzen du", - "Only works for people with access to this file" : "Fitxategi honetara sarbidea duten pertsonentzat bakarrik funtzionatzen du", - "Link copied" : "Esteka kopiatu da", + "Copy internal link" : "Kopiatu barne-esteka", "Internal link" : "Barneko esteka", "{shareWith} by {initiator}" : "{initiator} erabiltzaileak {shareWith} ", "Shared via link by {initiator}" : "{initiator} erabiltzaileak esteka bidez partekatua", @@ -214,7 +211,6 @@ OC.L10N.register( "Share link ({index})" : "Partekatu ({index}) esteka", "Create public link" : "Sortu esteka publikoa", "Actions for \"{title}\"" : "\"{title}\"-ren ekintzak", - "Copy public link of \"{title}\" to clipboard" : "Kopiatu \"{title}\"-ren esteka publikoa arbelean", "Error, please enter proper password and/or expiration date" : "Errorea, sartu dagokion pasahitza edo/eta iraungitze-data", "Link share created" : "Esteka partekatzea sortu da", "Error while creating the share" : "Errore bat gertatu da partekatzea sortzean", @@ -240,7 +236,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Izena, posta, edo federatutako hodei IDa...", "Searching …" : "Bilatzen…", "No elements found." : "Ez da elementurik aurkitu.", - "Search globally" : "Bilatu globalki", + "Search everywhere" : "Bilatu nonahi", "Guest" : "Gonbidatua", "Group" : "Taldea", "Email" : "Posta elektronikoa", @@ -259,7 +255,6 @@ OC.L10N.register( "Successfully uploaded files" : "Fitxategiak ongi igo dira", "View terms of service" : "Ikusi zerbitzu-balditzak", "Terms of service" : "Erabilera baldintzak", - "Share with {userName}" : "Partekatu {userName}-rekin", "Share with email {email}" : "Partekatu helbide elektronikoarekin {email}", "Share with group" : "Partekatu taldearekin", "Share in conversation" : "Partekatu elkarrizketan", @@ -304,12 +299,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Ezin izan dira heredatutako partekatzeak eskuratu", "Link shares" : "Lotu partekatzeak", "Shares" : "Partekatzeak", - "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." : "Erabili metodo hau zure erakundeko banako edo taldeekin fitxategiak partekatzeko. Hartzaileak dagoeneko baimena badu partekatutako elementurako baina ezin badu aurkitu, bidali iezaiozu barneko partekatze-esteka, sarbidea errazteko.", - "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." : "Erabili metodo hau zure erakundeaz kanpoko banako edo erakundeekin fitxategiak partekatzeko. Fitxategiak eta karpetak parteka ditzakezu esteka publikoen bidez edo helbide elektronikoen bidez. Bestelako Nextcloud kontuetara ere parteka ditzakezu, beste instantziatan daudenak, haien federatutako hodeiaren ID-a erabiliz.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Barneko zein kanpoko partekatzeetan sartzen ez diren partekatzeak. Hauetakoren bat aplikazioetatik edo beste iturri batzuetatik etorritako partekatzeak izan daitezke.", - "Share with accounts, teams, federated cloud IDs" : "Partekatu kontuekin, taldeekin edo federatutako hodeien ID-ekin", - "Share with accounts and teams" : "Partekatu kontuekin eta taldeekin", - "Email, federated cloud ID" : "Posta elektroniko, federatutako hodeien ID", "Unable to load the shares list" : "Ezin izan da partekatzeen zerrenda kargatu", "Expires {relativetime}" : "Iraungitzea: {relativetime}", "this share just expired." : "partekatze hau oraintxe iraungi da.", @@ -328,7 +317,7 @@ OC.L10N.register( "Shared" : "Partekatuta", "Shared by {ownerDisplayName}" : "{ownerDisplayName}-(e)k partekatuta", "Shared multiple times with different people" : "Hainbat aldiz partekatua pertsona ezberdinekin", - "Show sharing options" : "Erakutsi partekatzeko aukerak", + "Sharing options" : "Partekatze aukerak", "Shared with others" : "Beste batzuekin partekatua", "Create file request" : "Sortu fitxategi eskaera", "Upload files to {foldername}" : "Igo fitxategiak {foldername}(e)ra", @@ -405,13 +394,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Huts egin du esteka publikoa zure Nextcloudera gehitzean", "You are not allowed to edit link shares that you don't own" : "Ezin dituzu editatu zureak ez diren partekatze estekak", "Download all files" : "Deskargatu fitxategi guztiak", + "Link copied to clipboard" : "Arbelara kopiatutako esteka", "_1 email address already added_::_{count} email addresses already added_" : ["Helbide elektroniko 1 gehitu da dagoeneko","{count} helbide elektroniko gehitu dira dagoeneko"], "_1 email address added_::_{count} email addresses added_" : ["Helbide elektroniko 1 gehitu da","{count} helbide elektroniko gehitu dira"], + "Copy to clipboard" : "Kopiatu arbelera", + "Copy internal link to clipboard" : "Kopiatu barne esteka arbelera", + "Only works for people with access to this folder" : "Karpeta honetara sarbidea duten pertsonentzat bakarrik funtzionatzen du", + "Only works for people with access to this file" : "Fitxategi honetara sarbidea duten pertsonentzat bakarrik funtzionatzen du", + "Copy public link of \"{title}\" to clipboard" : "Kopiatu \"{title}\"-ren esteka publikoa arbelean", + "Search globally" : "Bilatu globalki", "Search for share recipients" : "Bilatu partekatze-hartzaileak", "No recommendations. Start typing." : "Gomendiorik ez. Hasi idazten.", "To upload files, you need to provide your name first." : "Fitxategiak igotzeko, zure izena eman behar duzu lehenik.", "Enter your name" : "Sartu zure izena", "Submit name" : "Sartu izena", + "Share with {userName}" : "Partekatu {userName}-rekin", + "Show sharing options" : "Erakutsi partekatzeko aukerak", "Share note" : "Partekatu oharra", "Upload files to %s" : "Igo fitxategiak hona: %s", "%s shared a folder with you." : "%s zurekin karpeta bat partekatu du.", @@ -421,7 +419,11 @@ OC.L10N.register( "Uploaded files:" : "Igotako fitxategiak:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Fitxategiak igotzean, %1$szerbitzu-baldintzak%2$s onartzen dituzu.", "Name" : "Izena", + "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." : "Erabili metodo hau zure erakundeko banako edo taldeekin fitxategiak partekatzeko. Hartzaileak dagoeneko baimena badu partekatutako elementurako baina ezin badu aurkitu, bidali iezaiozu barneko partekatze-esteka, sarbidea errazteko.", + "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." : "Erabili metodo hau zure erakundeaz kanpoko banako edo erakundeekin fitxategiak partekatzeko. Fitxategiak eta karpetak parteka ditzakezu esteka publikoen bidez edo helbide elektronikoen bidez. Bestelako Nextcloud kontuetara ere parteka ditzakezu, beste instantziatan daudenak, haien federatutako hodeiaren ID-a erabiliz.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Barneko zein kanpoko partekatzeetan sartzen ez diren partekatzeak. Hauetakoren bat aplikazioetatik edo beste iturri batzuetatik etorritako partekatzeak izan daitezke.", "Share with accounts, teams, federated cloud id" : "Partekatu kontuekin, taldeekin edo federatutako hodeien ID-ekin", + "Share with accounts and teams" : "Partekatu kontuekin eta taldeekin", "Email, federated cloud id" : "Posta elektroniko, federatutako hodeien ID", "Filename must not be empty." : "Fitxategi-izenak ez du hutsik egon behar." }, diff --git a/apps/files_sharing/l10n/eu.json b/apps/files_sharing/l10n/eu.json index c998ff5c0a3..2470b560a0f 100644 --- a/apps/files_sharing/l10n/eu.json +++ b/apps/files_sharing/l10n/eu.json @@ -132,7 +132,7 @@ "Generate a new password" : "Sortu pasahitz berria", "Your administrator has enforced a password protection." : "Zure administratzaileak pasahitzez babestu behar dela ezarri du.", "Automatically copying failed, please copy the share link manually" : "Autimatikoki kopiatzeak huts egin du, kopiatu eskuz partekatze esteka", - "Link copied to clipboard" : "Arbelara kopiatutako esteka", + "Link copied" : "Esteka kopiatu da", "Email already added" : "Helbide elektronikoa dagoeneko gehituta dago", "Invalid email address" : "Baliogabeko helbide elektronikoa", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Ondorengo helbide elektronikoa ez da baliozkoa: {emails}","Ondorengo helbide elektronikoak ez dira baliozkoak: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["Helbide elektroniko {count} gehitu da","{count} helbide elektroniko gehitu dira"], "You can now share the link below to allow people to upload files to your directory." : "Orain beheko esteka parteka dezakezu jendeak zure direktoriora fitxategiak igo ditzan.", "Share link" : "Partekatu esteka", - "Copy to clipboard" : "Kopiatu arbelera", + "Copy" : "Kopiatu", "Send link via email" : "Bidali esteka posta elektronikoz", "Enter an email address or paste a list" : "Sartu helbide elektroniko bat edo itsatsi zerrenda bat", "Remove email" : "Kendu helbide elektronikoa", @@ -198,10 +198,7 @@ "Via “{folder}”" : "“{folder}” bidez", "Unshare" : "Ez partekatu", "Cannot copy, please copy the link manually" : "Ezin izan da kopiatu. Kopiatu esteka eskuz", - "Copy internal link to clipboard" : "Kopiatu barne esteka arbelera", - "Only works for people with access to this folder" : "Karpeta honetara sarbidea duten pertsonentzat bakarrik funtzionatzen du", - "Only works for people with access to this file" : "Fitxategi honetara sarbidea duten pertsonentzat bakarrik funtzionatzen du", - "Link copied" : "Esteka kopiatu da", + "Copy internal link" : "Kopiatu barne-esteka", "Internal link" : "Barneko esteka", "{shareWith} by {initiator}" : "{initiator} erabiltzaileak {shareWith} ", "Shared via link by {initiator}" : "{initiator} erabiltzaileak esteka bidez partekatua", @@ -212,7 +209,6 @@ "Share link ({index})" : "Partekatu ({index}) esteka", "Create public link" : "Sortu esteka publikoa", "Actions for \"{title}\"" : "\"{title}\"-ren ekintzak", - "Copy public link of \"{title}\" to clipboard" : "Kopiatu \"{title}\"-ren esteka publikoa arbelean", "Error, please enter proper password and/or expiration date" : "Errorea, sartu dagokion pasahitza edo/eta iraungitze-data", "Link share created" : "Esteka partekatzea sortu da", "Error while creating the share" : "Errore bat gertatu da partekatzea sortzean", @@ -238,7 +234,7 @@ "Name, email, or Federated Cloud ID …" : "Izena, posta, edo federatutako hodei IDa...", "Searching …" : "Bilatzen…", "No elements found." : "Ez da elementurik aurkitu.", - "Search globally" : "Bilatu globalki", + "Search everywhere" : "Bilatu nonahi", "Guest" : "Gonbidatua", "Group" : "Taldea", "Email" : "Posta elektronikoa", @@ -257,7 +253,6 @@ "Successfully uploaded files" : "Fitxategiak ongi igo dira", "View terms of service" : "Ikusi zerbitzu-balditzak", "Terms of service" : "Erabilera baldintzak", - "Share with {userName}" : "Partekatu {userName}-rekin", "Share with email {email}" : "Partekatu helbide elektronikoarekin {email}", "Share with group" : "Partekatu taldearekin", "Share in conversation" : "Partekatu elkarrizketan", @@ -302,12 +297,6 @@ "Unable to fetch inherited shares" : "Ezin izan dira heredatutako partekatzeak eskuratu", "Link shares" : "Lotu partekatzeak", "Shares" : "Partekatzeak", - "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." : "Erabili metodo hau zure erakundeko banako edo taldeekin fitxategiak partekatzeko. Hartzaileak dagoeneko baimena badu partekatutako elementurako baina ezin badu aurkitu, bidali iezaiozu barneko partekatze-esteka, sarbidea errazteko.", - "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." : "Erabili metodo hau zure erakundeaz kanpoko banako edo erakundeekin fitxategiak partekatzeko. Fitxategiak eta karpetak parteka ditzakezu esteka publikoen bidez edo helbide elektronikoen bidez. Bestelako Nextcloud kontuetara ere parteka ditzakezu, beste instantziatan daudenak, haien federatutako hodeiaren ID-a erabiliz.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Barneko zein kanpoko partekatzeetan sartzen ez diren partekatzeak. Hauetakoren bat aplikazioetatik edo beste iturri batzuetatik etorritako partekatzeak izan daitezke.", - "Share with accounts, teams, federated cloud IDs" : "Partekatu kontuekin, taldeekin edo federatutako hodeien ID-ekin", - "Share with accounts and teams" : "Partekatu kontuekin eta taldeekin", - "Email, federated cloud ID" : "Posta elektroniko, federatutako hodeien ID", "Unable to load the shares list" : "Ezin izan da partekatzeen zerrenda kargatu", "Expires {relativetime}" : "Iraungitzea: {relativetime}", "this share just expired." : "partekatze hau oraintxe iraungi da.", @@ -326,7 +315,7 @@ "Shared" : "Partekatuta", "Shared by {ownerDisplayName}" : "{ownerDisplayName}-(e)k partekatuta", "Shared multiple times with different people" : "Hainbat aldiz partekatua pertsona ezberdinekin", - "Show sharing options" : "Erakutsi partekatzeko aukerak", + "Sharing options" : "Partekatze aukerak", "Shared with others" : "Beste batzuekin partekatua", "Create file request" : "Sortu fitxategi eskaera", "Upload files to {foldername}" : "Igo fitxategiak {foldername}(e)ra", @@ -403,13 +392,22 @@ "Failed to add the public link to your Nextcloud" : "Huts egin du esteka publikoa zure Nextcloudera gehitzean", "You are not allowed to edit link shares that you don't own" : "Ezin dituzu editatu zureak ez diren partekatze estekak", "Download all files" : "Deskargatu fitxategi guztiak", + "Link copied to clipboard" : "Arbelara kopiatutako esteka", "_1 email address already added_::_{count} email addresses already added_" : ["Helbide elektroniko 1 gehitu da dagoeneko","{count} helbide elektroniko gehitu dira dagoeneko"], "_1 email address added_::_{count} email addresses added_" : ["Helbide elektroniko 1 gehitu da","{count} helbide elektroniko gehitu dira"], + "Copy to clipboard" : "Kopiatu arbelera", + "Copy internal link to clipboard" : "Kopiatu barne esteka arbelera", + "Only works for people with access to this folder" : "Karpeta honetara sarbidea duten pertsonentzat bakarrik funtzionatzen du", + "Only works for people with access to this file" : "Fitxategi honetara sarbidea duten pertsonentzat bakarrik funtzionatzen du", + "Copy public link of \"{title}\" to clipboard" : "Kopiatu \"{title}\"-ren esteka publikoa arbelean", + "Search globally" : "Bilatu globalki", "Search for share recipients" : "Bilatu partekatze-hartzaileak", "No recommendations. Start typing." : "Gomendiorik ez. Hasi idazten.", "To upload files, you need to provide your name first." : "Fitxategiak igotzeko, zure izena eman behar duzu lehenik.", "Enter your name" : "Sartu zure izena", "Submit name" : "Sartu izena", + "Share with {userName}" : "Partekatu {userName}-rekin", + "Show sharing options" : "Erakutsi partekatzeko aukerak", "Share note" : "Partekatu oharra", "Upload files to %s" : "Igo fitxategiak hona: %s", "%s shared a folder with you." : "%s zurekin karpeta bat partekatu du.", @@ -419,7 +417,11 @@ "Uploaded files:" : "Igotako fitxategiak:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Fitxategiak igotzean, %1$szerbitzu-baldintzak%2$s onartzen dituzu.", "Name" : "Izena", + "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." : "Erabili metodo hau zure erakundeko banako edo taldeekin fitxategiak partekatzeko. Hartzaileak dagoeneko baimena badu partekatutako elementurako baina ezin badu aurkitu, bidali iezaiozu barneko partekatze-esteka, sarbidea errazteko.", + "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." : "Erabili metodo hau zure erakundeaz kanpoko banako edo erakundeekin fitxategiak partekatzeko. Fitxategiak eta karpetak parteka ditzakezu esteka publikoen bidez edo helbide elektronikoen bidez. Bestelako Nextcloud kontuetara ere parteka ditzakezu, beste instantziatan daudenak, haien federatutako hodeiaren ID-a erabiliz.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Barneko zein kanpoko partekatzeetan sartzen ez diren partekatzeak. Hauetakoren bat aplikazioetatik edo beste iturri batzuetatik etorritako partekatzeak izan daitezke.", "Share with accounts, teams, federated cloud id" : "Partekatu kontuekin, taldeekin edo federatutako hodeien ID-ekin", + "Share with accounts and teams" : "Partekatu kontuekin eta taldeekin", "Email, federated cloud id" : "Posta elektroniko, federatutako hodeien ID", "Filename must not be empty." : "Fitxategi-izenak ez du hutsik egon behar." },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_sharing/l10n/fa.js b/apps/files_sharing/l10n/fa.js index 9b1329e0f8e..d30c0a00bf4 100644 --- a/apps/files_sharing/l10n/fa.js +++ b/apps/files_sharing/l10n/fa.js @@ -59,9 +59,9 @@ OC.L10N.register( "Expiration date" : "تاریخ انقضا", "Set a password" : "رمزعبور تنظیم کنید", "Password" : "گذرواژه", - "Link copied to clipboard" : "پیوند در حافظه موقت کپی شده", + "Link copied" : "پیوند کپی شد", "Share link" : "Share link", - "Copy to clipboard" : "کپی به کلیپ بورد", + "Copy" : "کپی", "Select" : "گزینش<br>", "Close" : "بسته", "Error creating the share: {errorMessage}" : "Error creating the share: {errorMessage}", @@ -85,8 +85,7 @@ OC.L10N.register( "Via “{folder}”" : "Via “{folder}”", "Unshare" : "لغو اشتراک", "Cannot copy, please copy the link manually" : "کپی کردن امکان پذیر نیست ، لطفا پیوند را به صورت دستی کپی کنید", - "Copy internal link to clipboard" : "Copy internal link to clipboard", - "Link copied" : "پیوند کپی شد", + "Copy internal link" : "کپی کردن پیوند داخلی", "Internal link" : "پیوند داخلی", "{shareWith} by {initiator}" : "{shareWith} by {initiator}", "Mail share ({label})" : "Mail share ({label})", @@ -94,7 +93,6 @@ OC.L10N.register( "Share link ({index})" : "Share link ({index})", "Create public link" : "ایجاد پیوند عمومی", "Actions for \"{title}\"" : "Actions for \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Copy public link of \"{title}\" to clipboard", "Error, please enter proper password and/or expiration date" : "خطا ، لطفاً رمز عبور مناسب و یا تاریخ انقضا را وارد کنید", "Link share created" : "Link share created", "Error while creating the share" : "Error while creating the share", @@ -113,7 +111,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Name, email, or Federated Cloud ID …", "Searching …" : "جستجوکردن …", "No elements found." : "عنصری یافت نشد", - "Search globally" : "در سطح جهان جستجو کنید", + "Search everywhere" : "جستجو در هر کجا.", "Guest" : "مهمان", "Group" : "گروه", "Email" : "رایانامه", @@ -210,6 +208,11 @@ OC.L10N.register( "Invalid server URL" : "ادرس سرور نامعتبر", "Failed to add the public link to your Nextcloud" : "خطا در افزودن ادرس عمومی به نکس کلود شما", "Download all files" : "دانلود همه فایل ها", + "Link copied to clipboard" : "پیوند در حافظه موقت کپی شده", + "Copy to clipboard" : "کپی به کلیپ بورد", + "Copy internal link to clipboard" : "Copy internal link to clipboard", + "Copy public link of \"{title}\" to clipboard" : "Copy public link of \"{title}\" to clipboard", + "Search globally" : "در سطح جهان جستجو کنید", "Search for share recipients" : "Search for share recipients", "No recommendations. Start typing." : "هیچ توصیه ای نیست شروع به تایپ کنید.", "Enter your name" : "اسمت را وارد کن", diff --git a/apps/files_sharing/l10n/fa.json b/apps/files_sharing/l10n/fa.json index 53d871977d5..36ae4898f5c 100644 --- a/apps/files_sharing/l10n/fa.json +++ b/apps/files_sharing/l10n/fa.json @@ -57,9 +57,9 @@ "Expiration date" : "تاریخ انقضا", "Set a password" : "رمزعبور تنظیم کنید", "Password" : "گذرواژه", - "Link copied to clipboard" : "پیوند در حافظه موقت کپی شده", + "Link copied" : "پیوند کپی شد", "Share link" : "Share link", - "Copy to clipboard" : "کپی به کلیپ بورد", + "Copy" : "کپی", "Select" : "گزینش<br>", "Close" : "بسته", "Error creating the share: {errorMessage}" : "Error creating the share: {errorMessage}", @@ -83,8 +83,7 @@ "Via “{folder}”" : "Via “{folder}”", "Unshare" : "لغو اشتراک", "Cannot copy, please copy the link manually" : "کپی کردن امکان پذیر نیست ، لطفا پیوند را به صورت دستی کپی کنید", - "Copy internal link to clipboard" : "Copy internal link to clipboard", - "Link copied" : "پیوند کپی شد", + "Copy internal link" : "کپی کردن پیوند داخلی", "Internal link" : "پیوند داخلی", "{shareWith} by {initiator}" : "{shareWith} by {initiator}", "Mail share ({label})" : "Mail share ({label})", @@ -92,7 +91,6 @@ "Share link ({index})" : "Share link ({index})", "Create public link" : "ایجاد پیوند عمومی", "Actions for \"{title}\"" : "Actions for \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Copy public link of \"{title}\" to clipboard", "Error, please enter proper password and/or expiration date" : "خطا ، لطفاً رمز عبور مناسب و یا تاریخ انقضا را وارد کنید", "Link share created" : "Link share created", "Error while creating the share" : "Error while creating the share", @@ -111,7 +109,7 @@ "Name, email, or Federated Cloud ID …" : "Name, email, or Federated Cloud ID …", "Searching …" : "جستجوکردن …", "No elements found." : "عنصری یافت نشد", - "Search globally" : "در سطح جهان جستجو کنید", + "Search everywhere" : "جستجو در هر کجا.", "Guest" : "مهمان", "Group" : "گروه", "Email" : "رایانامه", @@ -208,6 +206,11 @@ "Invalid server URL" : "ادرس سرور نامعتبر", "Failed to add the public link to your Nextcloud" : "خطا در افزودن ادرس عمومی به نکس کلود شما", "Download all files" : "دانلود همه فایل ها", + "Link copied to clipboard" : "پیوند در حافظه موقت کپی شده", + "Copy to clipboard" : "کپی به کلیپ بورد", + "Copy internal link to clipboard" : "Copy internal link to clipboard", + "Copy public link of \"{title}\" to clipboard" : "Copy public link of \"{title}\" to clipboard", + "Search globally" : "در سطح جهان جستجو کنید", "Search for share recipients" : "Search for share recipients", "No recommendations. Start typing." : "هیچ توصیه ای نیست شروع به تایپ کنید.", "Enter your name" : "اسمت را وارد کن", diff --git a/apps/files_sharing/l10n/fi.js b/apps/files_sharing/l10n/fi.js index c474552d180..296ed197278 100644 --- a/apps/files_sharing/l10n/fi.js +++ b/apps/files_sharing/l10n/fi.js @@ -103,11 +103,11 @@ OC.L10N.register( "Enter a valid password" : "Kirjoita oikea salasana", "Generate a new password" : "Luo uusi salasana", "Your administrator has enforced a password protection." : "Ylläpitäjä on pakottanut salasanasuojauksen.", - "Link copied to clipboard" : "Linkki kopioitu leikepöydälle", + "Link copied" : "Linkki kopioitu", "Email already added" : "Sähköpostiosoite on jo lisätty", "Invalid email address" : "Virheellinen sähköpostiosoite", "Share link" : "Jaa linkki", - "Copy to clipboard" : "Kopioi leikepöydälle", + "Copy" : "Kopioi", "Send link via email" : "Lähetä linkki sähköpostitse", "Select a destination" : "Valitse sijainti", "Select" : "Valitse", @@ -143,8 +143,7 @@ OC.L10N.register( "Via “{folder}”" : "“{folder}” kautta", "Unshare" : "Lopeta jakaminen", "Cannot copy, please copy the link manually" : "Kopioiminen ei onnistu. Kopioi linkki manuaalisesti", - "Copy internal link to clipboard" : "Kopioi sisäinen linkki leikepöydälle", - "Link copied" : "Linkki kopioitu", + "Copy internal link" : "Kopioi sisäinen linkki", "Internal link" : "Sisäinen linkki", "Shared via link by {initiator}" : "Jaettu linkin kautta käyttäjältä {initiator}", "Mail share ({label})" : "Sähköpostijako ({label})", @@ -152,7 +151,6 @@ OC.L10N.register( "Share link ({index})" : "Jaa linkki ({index})", "Create public link" : "Luo julkinen linkki", "Actions for \"{title}\"" : "Toiminnot kohteelle \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Kopioi kohteen \"{title}\" julkinen linkki leikepöydälle", "Error, please enter proper password and/or expiration date" : "Virhe, lisää kelvollinen salasana ja/tai päättymispäivä", "Link share created" : "Linkkijako luotu", "Error while creating the share" : "Virhe jakoa luotaessa", @@ -173,7 +171,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Nimi, sähköposti tai federoitu Cloud ID...", "Searching …" : "Haetaan…", "No elements found." : "Elementtejä ei löytynyt.", - "Search globally" : "Hae globaalisti", + "Search everywhere" : "Etsi kaikkialta", "Guest" : "Vieras", "Group" : "Ryhmä", "Email" : "Sähköposti", @@ -187,7 +185,6 @@ OC.L10N.register( "By uploading files, you agree to the terms of service." : "Lähettämällä tiedostot hyväksyt käyttöehdot.", "View terms of service" : "Näytä käyttöehdot", "Terms of service" : "Käyttöehdot", - "Share with {userName}" : "Jaa käyttäjän {userName} kanssa", "Share with group" : "Jaa ryhmän kanssa", "Share in conversation" : "Jaa keskustelussa", "Share with remote group" : "Jaa etäryhmän kanssa", @@ -234,7 +231,7 @@ OC.L10N.register( "Shared" : "Jaettu", "Shared by {ownerDisplayName}" : "Jakanut {ownerDisplayName}", "Shared multiple times with different people" : "Jaettu useita kertoja eri ihmisten kanssa", - "Show sharing options" : "Näytä jakamisen valinnat", + "Sharing options" : "Jakamisen valinnat", "Shared with others" : "Jaettu muiden kanssa", "Upload files to {foldername}" : "Lähetä tiedostot kansioon {foldername}", "Public file share" : "Julkinen tiedostojako", @@ -291,9 +288,16 @@ OC.L10N.register( "Invalid server URL" : "Virheellinen palvelimen URL", "Failed to add the public link to your Nextcloud" : "Julkisen linkin lisääminen Nextcloudiisi epäonnistui", "Download all files" : "Lataa kaikki tiedostot", + "Link copied to clipboard" : "Linkki kopioitu leikepöydälle", + "Copy to clipboard" : "Kopioi leikepöydälle", + "Copy internal link to clipboard" : "Kopioi sisäinen linkki leikepöydälle", + "Copy public link of \"{title}\" to clipboard" : "Kopioi kohteen \"{title}\" julkinen linkki leikepöydälle", + "Search globally" : "Hae globaalisti", "Search for share recipients" : "Etsi jaon vastaanottajia", "No recommendations. Start typing." : "Ei suosituksia. Aloita kirjoittaminen.", "Enter your name" : "Kirjoita nimesi", + "Share with {userName}" : "Jaa käyttäjän {userName} kanssa", + "Show sharing options" : "Näytä jakamisen valinnat", "Share note" : "Jaa muistiinpano", "Upload files to %s" : "Lähetä tiedostoja käyttäjälle %s", "%s shared a folder with you." : "%s jakoi kansion kanssasi.", diff --git a/apps/files_sharing/l10n/fi.json b/apps/files_sharing/l10n/fi.json index 586155e82a0..514b5b3be62 100644 --- a/apps/files_sharing/l10n/fi.json +++ b/apps/files_sharing/l10n/fi.json @@ -101,11 +101,11 @@ "Enter a valid password" : "Kirjoita oikea salasana", "Generate a new password" : "Luo uusi salasana", "Your administrator has enforced a password protection." : "Ylläpitäjä on pakottanut salasanasuojauksen.", - "Link copied to clipboard" : "Linkki kopioitu leikepöydälle", + "Link copied" : "Linkki kopioitu", "Email already added" : "Sähköpostiosoite on jo lisätty", "Invalid email address" : "Virheellinen sähköpostiosoite", "Share link" : "Jaa linkki", - "Copy to clipboard" : "Kopioi leikepöydälle", + "Copy" : "Kopioi", "Send link via email" : "Lähetä linkki sähköpostitse", "Select a destination" : "Valitse sijainti", "Select" : "Valitse", @@ -141,8 +141,7 @@ "Via “{folder}”" : "“{folder}” kautta", "Unshare" : "Lopeta jakaminen", "Cannot copy, please copy the link manually" : "Kopioiminen ei onnistu. Kopioi linkki manuaalisesti", - "Copy internal link to clipboard" : "Kopioi sisäinen linkki leikepöydälle", - "Link copied" : "Linkki kopioitu", + "Copy internal link" : "Kopioi sisäinen linkki", "Internal link" : "Sisäinen linkki", "Shared via link by {initiator}" : "Jaettu linkin kautta käyttäjältä {initiator}", "Mail share ({label})" : "Sähköpostijako ({label})", @@ -150,7 +149,6 @@ "Share link ({index})" : "Jaa linkki ({index})", "Create public link" : "Luo julkinen linkki", "Actions for \"{title}\"" : "Toiminnot kohteelle \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Kopioi kohteen \"{title}\" julkinen linkki leikepöydälle", "Error, please enter proper password and/or expiration date" : "Virhe, lisää kelvollinen salasana ja/tai päättymispäivä", "Link share created" : "Linkkijako luotu", "Error while creating the share" : "Virhe jakoa luotaessa", @@ -171,7 +169,7 @@ "Name, email, or Federated Cloud ID …" : "Nimi, sähköposti tai federoitu Cloud ID...", "Searching …" : "Haetaan…", "No elements found." : "Elementtejä ei löytynyt.", - "Search globally" : "Hae globaalisti", + "Search everywhere" : "Etsi kaikkialta", "Guest" : "Vieras", "Group" : "Ryhmä", "Email" : "Sähköposti", @@ -185,7 +183,6 @@ "By uploading files, you agree to the terms of service." : "Lähettämällä tiedostot hyväksyt käyttöehdot.", "View terms of service" : "Näytä käyttöehdot", "Terms of service" : "Käyttöehdot", - "Share with {userName}" : "Jaa käyttäjän {userName} kanssa", "Share with group" : "Jaa ryhmän kanssa", "Share in conversation" : "Jaa keskustelussa", "Share with remote group" : "Jaa etäryhmän kanssa", @@ -232,7 +229,7 @@ "Shared" : "Jaettu", "Shared by {ownerDisplayName}" : "Jakanut {ownerDisplayName}", "Shared multiple times with different people" : "Jaettu useita kertoja eri ihmisten kanssa", - "Show sharing options" : "Näytä jakamisen valinnat", + "Sharing options" : "Jakamisen valinnat", "Shared with others" : "Jaettu muiden kanssa", "Upload files to {foldername}" : "Lähetä tiedostot kansioon {foldername}", "Public file share" : "Julkinen tiedostojako", @@ -289,9 +286,16 @@ "Invalid server URL" : "Virheellinen palvelimen URL", "Failed to add the public link to your Nextcloud" : "Julkisen linkin lisääminen Nextcloudiisi epäonnistui", "Download all files" : "Lataa kaikki tiedostot", + "Link copied to clipboard" : "Linkki kopioitu leikepöydälle", + "Copy to clipboard" : "Kopioi leikepöydälle", + "Copy internal link to clipboard" : "Kopioi sisäinen linkki leikepöydälle", + "Copy public link of \"{title}\" to clipboard" : "Kopioi kohteen \"{title}\" julkinen linkki leikepöydälle", + "Search globally" : "Hae globaalisti", "Search for share recipients" : "Etsi jaon vastaanottajia", "No recommendations. Start typing." : "Ei suosituksia. Aloita kirjoittaminen.", "Enter your name" : "Kirjoita nimesi", + "Share with {userName}" : "Jaa käyttäjän {userName} kanssa", + "Show sharing options" : "Näytä jakamisen valinnat", "Share note" : "Jaa muistiinpano", "Upload files to %s" : "Lähetä tiedostoja käyttäjälle %s", "%s shared a folder with you." : "%s jakoi kansion kanssasi.", diff --git a/apps/files_sharing/l10n/fr.js b/apps/files_sharing/l10n/fr.js index 1769c4f79e3..54cb8699e7e 100644 --- a/apps/files_sharing/l10n/fr.js +++ b/apps/files_sharing/l10n/fr.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Générer un nouveau mot de passe", "Your administrator has enforced a password protection." : "Votre administrateur a imposé une protection par mot de passe.", "Automatically copying failed, please copy the share link manually" : "La copie automatique a échoué, veuillez copier le lien de partage manuellement.", - "Link copied to clipboard" : "Lien copié dans le presse-papier", + "Link copied" : "Lien copié", "Email already added" : "E-mail déjà ajouté", "Invalid email address" : "Adresse e-mail invalide", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["L'adresse mail suivante est invalide : {emails}","Les adresses mail suivantes sont invalides : {emails}","Les adresses mail suivantes sont invalides : {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count} adresse e-mail ajoutée","{count} adresses e-mail ajoutées","{count} adresses e-mail ajoutées"], "You can now share the link below to allow people to upload files to your directory." : "Vous pouvez désormais partager le lien ci-dessous pour permettre aux gens de téléverser des fichiers dans votre dossier.", "Share link" : "Lien de partage", - "Copy to clipboard" : "Copier dans le presse-papiers", + "Copy" : "Copier", "Send link via email" : "Envoyer le lien par e-mail", "Enter an email address or paste a list" : "Entrez une adresse e-mail ou collez une liste", "Remove email" : "Retirer l'e-mail", @@ -201,10 +201,7 @@ OC.L10N.register( "Via “{folder}”" : "Via “{folder}”", "Unshare" : "Ne plus partager", "Cannot copy, please copy the link manually" : "Impossible de copier, merci de le copier manuellement", - "Copy internal link to clipboard" : "Copier le lien interne dans le presse-papiers", - "Only works for people with access to this folder" : "Fonctionne uniquement pour les personnes ayant accès à ce dossier", - "Only works for people with access to this file" : "Fonctionne uniquement pour les personnes ayant accès à ce fichier", - "Link copied" : "Lien copié", + "Copy internal link" : "Copier le lien interne", "Internal link" : "Lien interne", "{shareWith} by {initiator}" : "{shareWith} par {initiator}", "Shared via link by {initiator}" : "Partagé par lien par {initiator}", @@ -215,7 +212,6 @@ OC.L10N.register( "Share link ({index})" : "Lien de partage ({index})", "Create public link" : "Créer un lien de partage public", "Actions for \"{title}\"" : "Actions pour \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Copier le lien public de \"{title}\" dans le presse-papiers", "Error, please enter proper password and/or expiration date" : "Erreur. Merci d'entrer un mot de passe valide et/ou une date d'expiration", "Link share created" : "Lien de partage créé", "Error while creating the share" : "Erreur lors de la création du partage", @@ -241,7 +237,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Nom, adresse e-mail ou ID de Cloud Fédéré…", "Searching …" : "Recherche…", "No elements found." : "Aucun élément trouvé.", - "Search globally" : "Rechercher partout", + "Search everywhere" : "Chercher partout", "Guest" : "Invité", "Group" : "Groupe", "Email" : "E-mail", @@ -260,7 +256,6 @@ OC.L10N.register( "Successfully uploaded files" : "Fichiers téléversés avec succès", "View terms of service" : "Voir les conditions d'utilisation du service", "Terms of service" : "Conditions d'utilisation", - "Share with {userName}" : "Partager avec {userName}", "Share with email {email}" : "Partager avec l'e-mail {email}", "Share with group" : "Partager avec le groupe", "Share in conversation" : "Partager dans la conversation", @@ -305,13 +300,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Impossible de récupérer les partages hérités", "Link shares" : "Partage de liens", "Shares" : "Partages", - "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." : "Utilisez cette méthode pour partager des fichiers avec des personnes ou des équipes au sein de votre organisation. Si le destinataire a déjà accès au partage, mais ne parvient pas à le localiser, vous pouvez lui envoyer le lien interne pour faciliter l'accès.", - "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." : "Cette méthode permet de partager des fichiers avec des personnes ou des organisations extérieures à votre organisation. Les fichiers et les dossiers peuvent être partagés via des liens de partage publics et des adresses e-mail. Vous pouvez également partager avec d'autres comptes Nextcloud hébergés sur différentes instances en utilisant leur ID de cloud fédéré.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Partages qui ne font pas partie des partages internes ou externes. Il peut s'agir de partages provenant d'applications ou d'autres sources.", - "Share with accounts, teams, federated cloud IDs" : "Partager avec des comptes, des équipes et des IDs cloud fédérés", - "Share with accounts and teams" : "Partager avec des comptes et des équipes", - "Federated cloud ID" : "ID de Cloud Fédéré", - "Email, federated cloud ID" : "E-mail, ID cloud fédéré", "Unable to load the shares list" : "Impossible de charger la liste des partages", "Expires {relativetime}" : "Expire {relativetime}", "this share just expired." : "ce partage vient d'expirer", @@ -330,7 +318,7 @@ OC.L10N.register( "Shared" : "Partagé", "Shared by {ownerDisplayName}" : "Partagé par {ownerDisplayName}", "Shared multiple times with different people" : "Partagé plusieurs fois avec plusieurs personnes", - "Show sharing options" : "Afficher les options de partage", + "Sharing options" : "Options de partage", "Shared with others" : "Partagés avec d’autres", "Create file request" : "Créer une demande de fichier", "Upload files to {foldername}" : "Téléverser des fichiers vers {foldername}", @@ -417,13 +405,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Échec de l'ajout du lien public à votre Nextcloud", "You are not allowed to edit link shares that you don't own" : "Vous n'êtes pas autorisé à modifier les liens de partage dont vous n'êtes pas propriétaire", "Download all files" : "Télécharger tous les fichiers", + "Link copied to clipboard" : "Lien copié dans le presse-papier", "_1 email address already added_::_{count} email addresses already added_" : ["1 adresse mail déjà ajoutée"," {count}adresses email déjà ajoutées","{count} adresses e-mail déjà ajoutées"], "_1 email address added_::_{count} email addresses added_" : [" 1 adresse mail ajoutée","{count} adresses mail ajoutées","{count} adresses mail ajoutées"], + "Copy to clipboard" : "Copier dans le presse-papiers", + "Copy internal link to clipboard" : "Copier le lien interne dans le presse-papiers", + "Only works for people with access to this folder" : "Fonctionne uniquement pour les personnes ayant accès à ce dossier", + "Only works for people with access to this file" : "Fonctionne uniquement pour les personnes ayant accès à ce fichier", + "Copy public link of \"{title}\" to clipboard" : "Copier le lien public de \"{title}\" dans le presse-papiers", + "Search globally" : "Rechercher partout", "Search for share recipients" : "Recherche de destinataires de partages", "No recommendations. Start typing." : "Aucune recommandation. Commencez à écrire.", "To upload files, you need to provide your name first." : "Pour téléverser des fichiers, vous devez fournir votre nom.", "Enter your name" : "Saisissez votre nom", "Submit name" : "Confirmer votre nom", + "Share with {userName}" : "Partager avec {userName}", + "Show sharing options" : "Afficher les options de partage", "Share note" : "Partager la note", "Upload files to %s" : "Téléversement de fichiers dans %s", "%s shared a folder with you." : "%s a partagé un dossier avec vous.", @@ -433,7 +430,12 @@ OC.L10N.register( "Uploaded files:" : "Fichiers envoyés :", "By uploading files, you agree to the %1$sterms of service%2$s." : "En envoyant des fichiers, vous acceptez les %1$sconditions d'utilisation%2$s.", "Name" : "Nom", + "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." : "Utilisez cette méthode pour partager des fichiers avec des personnes ou des équipes au sein de votre organisation. Si le destinataire a déjà accès au partage, mais ne parvient pas à le localiser, vous pouvez lui envoyer le lien interne pour faciliter l'accès.", + "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." : "Cette méthode permet de partager des fichiers avec des personnes ou des organisations extérieures à votre organisation. Les fichiers et les dossiers peuvent être partagés via des liens de partage publics et des adresses e-mail. Vous pouvez également partager avec d'autres comptes Nextcloud hébergés sur différentes instances en utilisant leur ID de cloud fédéré.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Partages qui ne font pas partie des partages internes ou externes. Il peut s'agir de partages provenant d'applications ou d'autres sources.", "Share with accounts, teams, federated cloud id" : "Partager avec des comptes, des équipes, un identifiant de cloud fédéré", + "Share with accounts and teams" : "Partager avec des comptes et des équipes", + "Federated cloud ID" : "ID de Cloud Fédéré", "Email, federated cloud id" : "E-mail, ID de cloud fédéré", "Filename must not be empty." : "Le nom du fichier ne doit pas être vide." }, diff --git a/apps/files_sharing/l10n/fr.json b/apps/files_sharing/l10n/fr.json index 9ed10e3058b..597fa4796e3 100644 --- a/apps/files_sharing/l10n/fr.json +++ b/apps/files_sharing/l10n/fr.json @@ -132,7 +132,7 @@ "Generate a new password" : "Générer un nouveau mot de passe", "Your administrator has enforced a password protection." : "Votre administrateur a imposé une protection par mot de passe.", "Automatically copying failed, please copy the share link manually" : "La copie automatique a échoué, veuillez copier le lien de partage manuellement.", - "Link copied to clipboard" : "Lien copié dans le presse-papier", + "Link copied" : "Lien copié", "Email already added" : "E-mail déjà ajouté", "Invalid email address" : "Adresse e-mail invalide", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["L'adresse mail suivante est invalide : {emails}","Les adresses mail suivantes sont invalides : {emails}","Les adresses mail suivantes sont invalides : {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count} adresse e-mail ajoutée","{count} adresses e-mail ajoutées","{count} adresses e-mail ajoutées"], "You can now share the link below to allow people to upload files to your directory." : "Vous pouvez désormais partager le lien ci-dessous pour permettre aux gens de téléverser des fichiers dans votre dossier.", "Share link" : "Lien de partage", - "Copy to clipboard" : "Copier dans le presse-papiers", + "Copy" : "Copier", "Send link via email" : "Envoyer le lien par e-mail", "Enter an email address or paste a list" : "Entrez une adresse e-mail ou collez une liste", "Remove email" : "Retirer l'e-mail", @@ -199,10 +199,7 @@ "Via “{folder}”" : "Via “{folder}”", "Unshare" : "Ne plus partager", "Cannot copy, please copy the link manually" : "Impossible de copier, merci de le copier manuellement", - "Copy internal link to clipboard" : "Copier le lien interne dans le presse-papiers", - "Only works for people with access to this folder" : "Fonctionne uniquement pour les personnes ayant accès à ce dossier", - "Only works for people with access to this file" : "Fonctionne uniquement pour les personnes ayant accès à ce fichier", - "Link copied" : "Lien copié", + "Copy internal link" : "Copier le lien interne", "Internal link" : "Lien interne", "{shareWith} by {initiator}" : "{shareWith} par {initiator}", "Shared via link by {initiator}" : "Partagé par lien par {initiator}", @@ -213,7 +210,6 @@ "Share link ({index})" : "Lien de partage ({index})", "Create public link" : "Créer un lien de partage public", "Actions for \"{title}\"" : "Actions pour \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Copier le lien public de \"{title}\" dans le presse-papiers", "Error, please enter proper password and/or expiration date" : "Erreur. Merci d'entrer un mot de passe valide et/ou une date d'expiration", "Link share created" : "Lien de partage créé", "Error while creating the share" : "Erreur lors de la création du partage", @@ -239,7 +235,7 @@ "Name, email, or Federated Cloud ID …" : "Nom, adresse e-mail ou ID de Cloud Fédéré…", "Searching …" : "Recherche…", "No elements found." : "Aucun élément trouvé.", - "Search globally" : "Rechercher partout", + "Search everywhere" : "Chercher partout", "Guest" : "Invité", "Group" : "Groupe", "Email" : "E-mail", @@ -258,7 +254,6 @@ "Successfully uploaded files" : "Fichiers téléversés avec succès", "View terms of service" : "Voir les conditions d'utilisation du service", "Terms of service" : "Conditions d'utilisation", - "Share with {userName}" : "Partager avec {userName}", "Share with email {email}" : "Partager avec l'e-mail {email}", "Share with group" : "Partager avec le groupe", "Share in conversation" : "Partager dans la conversation", @@ -303,13 +298,6 @@ "Unable to fetch inherited shares" : "Impossible de récupérer les partages hérités", "Link shares" : "Partage de liens", "Shares" : "Partages", - "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." : "Utilisez cette méthode pour partager des fichiers avec des personnes ou des équipes au sein de votre organisation. Si le destinataire a déjà accès au partage, mais ne parvient pas à le localiser, vous pouvez lui envoyer le lien interne pour faciliter l'accès.", - "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." : "Cette méthode permet de partager des fichiers avec des personnes ou des organisations extérieures à votre organisation. Les fichiers et les dossiers peuvent être partagés via des liens de partage publics et des adresses e-mail. Vous pouvez également partager avec d'autres comptes Nextcloud hébergés sur différentes instances en utilisant leur ID de cloud fédéré.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Partages qui ne font pas partie des partages internes ou externes. Il peut s'agir de partages provenant d'applications ou d'autres sources.", - "Share with accounts, teams, federated cloud IDs" : "Partager avec des comptes, des équipes et des IDs cloud fédérés", - "Share with accounts and teams" : "Partager avec des comptes et des équipes", - "Federated cloud ID" : "ID de Cloud Fédéré", - "Email, federated cloud ID" : "E-mail, ID cloud fédéré", "Unable to load the shares list" : "Impossible de charger la liste des partages", "Expires {relativetime}" : "Expire {relativetime}", "this share just expired." : "ce partage vient d'expirer", @@ -328,7 +316,7 @@ "Shared" : "Partagé", "Shared by {ownerDisplayName}" : "Partagé par {ownerDisplayName}", "Shared multiple times with different people" : "Partagé plusieurs fois avec plusieurs personnes", - "Show sharing options" : "Afficher les options de partage", + "Sharing options" : "Options de partage", "Shared with others" : "Partagés avec d’autres", "Create file request" : "Créer une demande de fichier", "Upload files to {foldername}" : "Téléverser des fichiers vers {foldername}", @@ -415,13 +403,22 @@ "Failed to add the public link to your Nextcloud" : "Échec de l'ajout du lien public à votre Nextcloud", "You are not allowed to edit link shares that you don't own" : "Vous n'êtes pas autorisé à modifier les liens de partage dont vous n'êtes pas propriétaire", "Download all files" : "Télécharger tous les fichiers", + "Link copied to clipboard" : "Lien copié dans le presse-papier", "_1 email address already added_::_{count} email addresses already added_" : ["1 adresse mail déjà ajoutée"," {count}adresses email déjà ajoutées","{count} adresses e-mail déjà ajoutées"], "_1 email address added_::_{count} email addresses added_" : [" 1 adresse mail ajoutée","{count} adresses mail ajoutées","{count} adresses mail ajoutées"], + "Copy to clipboard" : "Copier dans le presse-papiers", + "Copy internal link to clipboard" : "Copier le lien interne dans le presse-papiers", + "Only works for people with access to this folder" : "Fonctionne uniquement pour les personnes ayant accès à ce dossier", + "Only works for people with access to this file" : "Fonctionne uniquement pour les personnes ayant accès à ce fichier", + "Copy public link of \"{title}\" to clipboard" : "Copier le lien public de \"{title}\" dans le presse-papiers", + "Search globally" : "Rechercher partout", "Search for share recipients" : "Recherche de destinataires de partages", "No recommendations. Start typing." : "Aucune recommandation. Commencez à écrire.", "To upload files, you need to provide your name first." : "Pour téléverser des fichiers, vous devez fournir votre nom.", "Enter your name" : "Saisissez votre nom", "Submit name" : "Confirmer votre nom", + "Share with {userName}" : "Partager avec {userName}", + "Show sharing options" : "Afficher les options de partage", "Share note" : "Partager la note", "Upload files to %s" : "Téléversement de fichiers dans %s", "%s shared a folder with you." : "%s a partagé un dossier avec vous.", @@ -431,7 +428,12 @@ "Uploaded files:" : "Fichiers envoyés :", "By uploading files, you agree to the %1$sterms of service%2$s." : "En envoyant des fichiers, vous acceptez les %1$sconditions d'utilisation%2$s.", "Name" : "Nom", + "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." : "Utilisez cette méthode pour partager des fichiers avec des personnes ou des équipes au sein de votre organisation. Si le destinataire a déjà accès au partage, mais ne parvient pas à le localiser, vous pouvez lui envoyer le lien interne pour faciliter l'accès.", + "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." : "Cette méthode permet de partager des fichiers avec des personnes ou des organisations extérieures à votre organisation. Les fichiers et les dossiers peuvent être partagés via des liens de partage publics et des adresses e-mail. Vous pouvez également partager avec d'autres comptes Nextcloud hébergés sur différentes instances en utilisant leur ID de cloud fédéré.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Partages qui ne font pas partie des partages internes ou externes. Il peut s'agir de partages provenant d'applications ou d'autres sources.", "Share with accounts, teams, federated cloud id" : "Partager avec des comptes, des équipes, un identifiant de cloud fédéré", + "Share with accounts and teams" : "Partager avec des comptes et des équipes", + "Federated cloud ID" : "ID de Cloud Fédéré", "Email, federated cloud id" : "E-mail, ID de cloud fédéré", "Filename must not be empty." : "Le nom du fichier ne doit pas être vide." },"pluralForm" :"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" diff --git a/apps/files_sharing/l10n/ga.js b/apps/files_sharing/l10n/ga.js index 7673f83c1c5..eae6ff8353c 100644 --- a/apps/files_sharing/l10n/ga.js +++ b/apps/files_sharing/l10n/ga.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Gin pasfhocal nua", "Your administrator has enforced a password protection." : "Chuir do riarthóir cosaint pasfhocail i bhfeidhm.", "Automatically copying failed, please copy the share link manually" : "Theip ar chóipeáil uathoibríoch, cóipeáil an nasc comhroinnte de láimh le do thoil", - "Link copied to clipboard" : "Cóipeáladh an nasc chuig an ngearrthaisce", + "Link copied" : "Cóipeáladh an nasc", "Email already added" : "Ríomhphost curtha leis cheana féin", "Invalid email address" : "sheoladh ríomhphoist neamhbhailí", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Níl an seoladh ríomhphoist seo a leanas bailí: {emails}","Níl na seoltaí ríomhphoist seo a leanas bailí: {emails}","Níl na seoltaí ríomhphoist seo a leanas bailí: {emails}","Níl na seoltaí ríomhphoist seo a leanas bailí: {emails}","Níl na seoltaí ríomhphoist seo a leanas bailí: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis"], "You can now share the link below to allow people to upload files to your directory." : "Is féidir leat an nasc thíos a roinnt anois chun ligean do dhaoine comhaid a uaslódáil chuig do eolaire.", "Share link" : "Comhroinn nasc", - "Copy to clipboard" : "Cóipeáil chuig an ngearrthaisce", + "Copy" : "Cóipeáil", "Send link via email" : "Seol an nasc trí ríomhphost", "Enter an email address or paste a list" : "Cuir isteach seoladh ríomhphoist nó greamaigh liosta", "Remove email" : "Bain ríomhphost", @@ -201,10 +201,7 @@ OC.L10N.register( "Via “{folder}”" : "Trí “{folder}”", "Unshare" : "Díroinnte", "Cannot copy, please copy the link manually" : "Ní féidir cóip a dhéanamh, cóipeáil an nasc de láimh", - "Copy internal link to clipboard" : "Cóipeáil nasc inmheánach chuig an ngearrthaisce", - "Only works for people with access to this folder" : "Ní oibríonn ach do dhaoine a bhfuil rochtain acu ar an bhfillteán seo", - "Only works for people with access to this file" : "Ní oibríonn ach do dhaoine a bhfuil rochtain acu ar an gcomhad seo", - "Link copied" : "Cóipeáladh an nasc", + "Copy internal link" : "Cóipeáil an nasc inmheánach", "Internal link" : "Nasc inmheánach", "{shareWith} by {initiator}" : "{shareWith} le {initiator}", "Shared via link by {initiator}" : "Roinnte trí nasc ag {initiator}", @@ -215,7 +212,6 @@ OC.L10N.register( "Share link ({index})" : "Roinn nasc ({index})", "Create public link" : "Cruthaigh nasc poiblí", "Actions for \"{title}\"" : "Gníomhartha le haghaidh \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Cóipeáil nasc poiblí de \"{title}\" chuig an ngearrthaisce", "Error, please enter proper password and/or expiration date" : "Earráid, cuir isteach pasfhocal ceart agus/nó dáta éaga le do thoil", "Link share created" : "Cruthaíodh comhroinnt naisc", "Error while creating the share" : "Earráid agus an sciar á cruthú", @@ -241,7 +237,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Ainm, ríomhphost, nó ID Néal Cónaidhme…", "Searching …" : "Ag cuardach…", "No elements found." : "Níor aimsíodh aon eilimintí.", - "Search globally" : "Cuardaigh go domhanda", + "Search everywhere" : "Cuardaigh i ngach áit", "Guest" : "Aoi", "Group" : "Grúpa", "Email" : "Ríomhphost", @@ -260,7 +256,7 @@ OC.L10N.register( "Successfully uploaded files" : "Uaslódáileadh na comhaid go rathúil", "View terms of service" : "Féach ar théarmaí seirbhíse", "Terms of service" : "Tearmaí Seirbhís", - "Share with {userName}" : "Roinn le {userName}", + "Share with {user}" : "Comhroinn le {user}", "Share with email {email}" : "Roinn le ríomhphost {email}", "Share with group" : "Roinn leis an ngrúpa", "Share in conversation" : "Roinn sa chomhrá", @@ -305,13 +301,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Ní féidir scaireanna le hoidhreacht a fháil", "Link shares" : "Scaireanna naisc", "Shares" : "Scaireanna", - "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." : "Bain úsáid as an modh seo chun comhaid a roinnt le daoine aonair nó le foirne laistigh de d'eagraíocht. Má tá rochtain ag an bhfaighteoir ar an sciar cheana féin ach nach féidir leis í a aimsiú, is féidir leat an nasc scaire inmheánach a sheoladh chucu le go mbeidh rochtain éasca air.", - "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." : "Bain úsáid as an modh seo chun comhaid a roinnt le daoine aonair nó le heagraíochtaí lasmuigh de d'eagraíocht. Is féidir comhaid agus fillteáin a roinnt trí naisc scaireanna poiblí agus seoltaí ríomhphoist. Is féidir leat a roinnt freisin le cuntais Nextcloud eile arna óstáil ar chásanna éagsúla ag baint úsáide as a n-ID néil cónasctha.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Scaireanna nach cuid de na scaireanna inmheánacha nó seachtracha iad. Is féidir gur scaireanna iad seo ó aipeanna nó ó fhoinsí eile.", - "Share with accounts, teams, federated cloud IDs" : "Comhroinn le cuntais, foirne, agus aitheantóirí scamall cónaidhme", - "Share with accounts and teams" : "Roinn le cuntais agus foirne", - "Federated cloud ID" : "ID scamall cónaidhme", - "Email, federated cloud ID" : "Ríomhphost, ID scamall cónaidhme", "Unable to load the shares list" : "Ní féidir an liosta scaireanna a lódáil", "Expires {relativetime}" : "In éag {relativetime}", "this share just expired." : "tá an sciar seo díreach imithe in éag.", @@ -330,7 +319,6 @@ OC.L10N.register( "Shared" : "Roinnte", "Shared by {ownerDisplayName}" : "Roinnte ag {ownerDisplayName}", "Shared multiple times with different people" : "Roinnte go minic le daoine éagsúla", - "Show sharing options" : "Taispeáin roghanna comhroinnte", "Shared with others" : "Roinnte le daoine eile", "Create file request" : "Cruthaigh iarratas comhad", "Upload files to {foldername}" : "Uaslódáil comhaid go {foldername}", @@ -417,13 +405,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Theip ar an nasc poiblí a chur le do Nextcloud", "You are not allowed to edit link shares that you don't own" : "Níl cead agat scaireanna naisc nach leatsa a chur in eagar", "Download all files" : "Gach comhaid a íoslódáil", + "Link copied to clipboard" : "Cóipeáladh an nasc chuig an ngearrthaisce", "_1 email address already added_::_{count} email addresses already added_" : ["1 seoladh ríomhphoist curtha leis cheana féin","{count} seoladh ríomhphoist curtha leis cheana","{count} seoladh ríomhphoist curtha leis cheana","{count} seoladh ríomhphoist curtha leis cheana","{count} seoladh ríomhphoist curtha leis cheana"], "_1 email address added_::_{count} email addresses added_" : ["Cuireadh 1 seoladh ríomhphoist leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis"], + "Copy to clipboard" : "Cóipeáil chuig an ngearrthaisce", + "Copy internal link to clipboard" : "Cóipeáil nasc inmheánach chuig an ngearrthaisce", + "Only works for people with access to this folder" : "Ní oibríonn ach do dhaoine a bhfuil rochtain acu ar an bhfillteán seo", + "Only works for people with access to this file" : "Ní oibríonn ach do dhaoine a bhfuil rochtain acu ar an gcomhad seo", + "Copy public link of \"{title}\" to clipboard" : "Cóipeáil nasc poiblí de \"{title}\" chuig an ngearrthaisce", + "Search globally" : "Cuardaigh go domhanda", "Search for share recipients" : "Cuardaigh faighteoirí scaireanna", "No recommendations. Start typing." : "Gan moltaí. Tosaigh ag clóscríobh.", "To upload files, you need to provide your name first." : "Chun comhaid a uaslódáil, ní mór duit d'ainm a sholáthar ar dtús.", "Enter your name" : "Cuir isteach d'ainm", "Submit name" : "Cuir ainm", + "Share with {userName}" : "Roinn le {userName}", + "Show sharing options" : "Taispeáin roghanna comhroinnte", "Share note" : "Roinn nóta", "Upload files to %s" : "Uaslódáil comhaid go %s", "%s shared a folder with you." : "Roinn %s fillteán leat.", @@ -433,7 +430,12 @@ OC.L10N.register( "Uploaded files:" : "Comhaid uaslódáilte:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Trí chomhaid a uaslódáil, aontaíonn tú le téarmaí seirbhíse %1$s%2$s.", "Name" : "Ainm", + "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." : "Bain úsáid as an modh seo chun comhaid a roinnt le daoine aonair nó le foirne laistigh de d'eagraíocht. Má tá rochtain ag an bhfaighteoir ar an sciar cheana féin ach nach féidir leis í a aimsiú, is féidir leat an nasc scaire inmheánach a sheoladh chucu le go mbeidh rochtain éasca air.", + "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." : "Bain úsáid as an modh seo chun comhaid a roinnt le daoine aonair nó le heagraíochtaí lasmuigh de d'eagraíocht. Is féidir comhaid agus fillteáin a roinnt trí naisc scaireanna poiblí agus seoltaí ríomhphoist. Is féidir leat a roinnt freisin le cuntais Nextcloud eile arna óstáil ar chásanna éagsúla ag baint úsáide as a n-ID néil cónasctha.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Scaireanna nach cuid de na scaireanna inmheánacha nó seachtracha iad. Is féidir gur scaireanna iad seo ó aipeanna nó ó fhoinsí eile.", "Share with accounts, teams, federated cloud id" : "Comhroinn le cuntais, foirne, aitheantas scamall cónaidhme", + "Share with accounts and teams" : "Roinn le cuntais agus foirne", + "Federated cloud ID" : "ID scamall cónaidhme", "Email, federated cloud id" : "Ríomhphost, aitheantas scamall cónaidhme", "Filename must not be empty." : "Ní ceadmhach ainm an chomhaid a bheith folamh." }, diff --git a/apps/files_sharing/l10n/ga.json b/apps/files_sharing/l10n/ga.json index b84a50f2d14..e1522f23883 100644 --- a/apps/files_sharing/l10n/ga.json +++ b/apps/files_sharing/l10n/ga.json @@ -132,7 +132,7 @@ "Generate a new password" : "Gin pasfhocal nua", "Your administrator has enforced a password protection." : "Chuir do riarthóir cosaint pasfhocail i bhfeidhm.", "Automatically copying failed, please copy the share link manually" : "Theip ar chóipeáil uathoibríoch, cóipeáil an nasc comhroinnte de láimh le do thoil", - "Link copied to clipboard" : "Cóipeáladh an nasc chuig an ngearrthaisce", + "Link copied" : "Cóipeáladh an nasc", "Email already added" : "Ríomhphost curtha leis cheana féin", "Invalid email address" : "sheoladh ríomhphoist neamhbhailí", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Níl an seoladh ríomhphoist seo a leanas bailí: {emails}","Níl na seoltaí ríomhphoist seo a leanas bailí: {emails}","Níl na seoltaí ríomhphoist seo a leanas bailí: {emails}","Níl na seoltaí ríomhphoist seo a leanas bailí: {emails}","Níl na seoltaí ríomhphoist seo a leanas bailí: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis"], "You can now share the link below to allow people to upload files to your directory." : "Is féidir leat an nasc thíos a roinnt anois chun ligean do dhaoine comhaid a uaslódáil chuig do eolaire.", "Share link" : "Comhroinn nasc", - "Copy to clipboard" : "Cóipeáil chuig an ngearrthaisce", + "Copy" : "Cóipeáil", "Send link via email" : "Seol an nasc trí ríomhphost", "Enter an email address or paste a list" : "Cuir isteach seoladh ríomhphoist nó greamaigh liosta", "Remove email" : "Bain ríomhphost", @@ -199,10 +199,7 @@ "Via “{folder}”" : "Trí “{folder}”", "Unshare" : "Díroinnte", "Cannot copy, please copy the link manually" : "Ní féidir cóip a dhéanamh, cóipeáil an nasc de láimh", - "Copy internal link to clipboard" : "Cóipeáil nasc inmheánach chuig an ngearrthaisce", - "Only works for people with access to this folder" : "Ní oibríonn ach do dhaoine a bhfuil rochtain acu ar an bhfillteán seo", - "Only works for people with access to this file" : "Ní oibríonn ach do dhaoine a bhfuil rochtain acu ar an gcomhad seo", - "Link copied" : "Cóipeáladh an nasc", + "Copy internal link" : "Cóipeáil an nasc inmheánach", "Internal link" : "Nasc inmheánach", "{shareWith} by {initiator}" : "{shareWith} le {initiator}", "Shared via link by {initiator}" : "Roinnte trí nasc ag {initiator}", @@ -213,7 +210,6 @@ "Share link ({index})" : "Roinn nasc ({index})", "Create public link" : "Cruthaigh nasc poiblí", "Actions for \"{title}\"" : "Gníomhartha le haghaidh \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Cóipeáil nasc poiblí de \"{title}\" chuig an ngearrthaisce", "Error, please enter proper password and/or expiration date" : "Earráid, cuir isteach pasfhocal ceart agus/nó dáta éaga le do thoil", "Link share created" : "Cruthaíodh comhroinnt naisc", "Error while creating the share" : "Earráid agus an sciar á cruthú", @@ -239,7 +235,7 @@ "Name, email, or Federated Cloud ID …" : "Ainm, ríomhphost, nó ID Néal Cónaidhme…", "Searching …" : "Ag cuardach…", "No elements found." : "Níor aimsíodh aon eilimintí.", - "Search globally" : "Cuardaigh go domhanda", + "Search everywhere" : "Cuardaigh i ngach áit", "Guest" : "Aoi", "Group" : "Grúpa", "Email" : "Ríomhphost", @@ -258,7 +254,7 @@ "Successfully uploaded files" : "Uaslódáileadh na comhaid go rathúil", "View terms of service" : "Féach ar théarmaí seirbhíse", "Terms of service" : "Tearmaí Seirbhís", - "Share with {userName}" : "Roinn le {userName}", + "Share with {user}" : "Comhroinn le {user}", "Share with email {email}" : "Roinn le ríomhphost {email}", "Share with group" : "Roinn leis an ngrúpa", "Share in conversation" : "Roinn sa chomhrá", @@ -303,13 +299,6 @@ "Unable to fetch inherited shares" : "Ní féidir scaireanna le hoidhreacht a fháil", "Link shares" : "Scaireanna naisc", "Shares" : "Scaireanna", - "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." : "Bain úsáid as an modh seo chun comhaid a roinnt le daoine aonair nó le foirne laistigh de d'eagraíocht. Má tá rochtain ag an bhfaighteoir ar an sciar cheana féin ach nach féidir leis í a aimsiú, is féidir leat an nasc scaire inmheánach a sheoladh chucu le go mbeidh rochtain éasca air.", - "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." : "Bain úsáid as an modh seo chun comhaid a roinnt le daoine aonair nó le heagraíochtaí lasmuigh de d'eagraíocht. Is féidir comhaid agus fillteáin a roinnt trí naisc scaireanna poiblí agus seoltaí ríomhphoist. Is féidir leat a roinnt freisin le cuntais Nextcloud eile arna óstáil ar chásanna éagsúla ag baint úsáide as a n-ID néil cónasctha.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Scaireanna nach cuid de na scaireanna inmheánacha nó seachtracha iad. Is féidir gur scaireanna iad seo ó aipeanna nó ó fhoinsí eile.", - "Share with accounts, teams, federated cloud IDs" : "Comhroinn le cuntais, foirne, agus aitheantóirí scamall cónaidhme", - "Share with accounts and teams" : "Roinn le cuntais agus foirne", - "Federated cloud ID" : "ID scamall cónaidhme", - "Email, federated cloud ID" : "Ríomhphost, ID scamall cónaidhme", "Unable to load the shares list" : "Ní féidir an liosta scaireanna a lódáil", "Expires {relativetime}" : "In éag {relativetime}", "this share just expired." : "tá an sciar seo díreach imithe in éag.", @@ -328,7 +317,6 @@ "Shared" : "Roinnte", "Shared by {ownerDisplayName}" : "Roinnte ag {ownerDisplayName}", "Shared multiple times with different people" : "Roinnte go minic le daoine éagsúla", - "Show sharing options" : "Taispeáin roghanna comhroinnte", "Shared with others" : "Roinnte le daoine eile", "Create file request" : "Cruthaigh iarratas comhad", "Upload files to {foldername}" : "Uaslódáil comhaid go {foldername}", @@ -415,13 +403,22 @@ "Failed to add the public link to your Nextcloud" : "Theip ar an nasc poiblí a chur le do Nextcloud", "You are not allowed to edit link shares that you don't own" : "Níl cead agat scaireanna naisc nach leatsa a chur in eagar", "Download all files" : "Gach comhaid a íoslódáil", + "Link copied to clipboard" : "Cóipeáladh an nasc chuig an ngearrthaisce", "_1 email address already added_::_{count} email addresses already added_" : ["1 seoladh ríomhphoist curtha leis cheana féin","{count} seoladh ríomhphoist curtha leis cheana","{count} seoladh ríomhphoist curtha leis cheana","{count} seoladh ríomhphoist curtha leis cheana","{count} seoladh ríomhphoist curtha leis cheana"], "_1 email address added_::_{count} email addresses added_" : ["Cuireadh 1 seoladh ríomhphoist leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis","{count} seoladh ríomhphoist curtha leis"], + "Copy to clipboard" : "Cóipeáil chuig an ngearrthaisce", + "Copy internal link to clipboard" : "Cóipeáil nasc inmheánach chuig an ngearrthaisce", + "Only works for people with access to this folder" : "Ní oibríonn ach do dhaoine a bhfuil rochtain acu ar an bhfillteán seo", + "Only works for people with access to this file" : "Ní oibríonn ach do dhaoine a bhfuil rochtain acu ar an gcomhad seo", + "Copy public link of \"{title}\" to clipboard" : "Cóipeáil nasc poiblí de \"{title}\" chuig an ngearrthaisce", + "Search globally" : "Cuardaigh go domhanda", "Search for share recipients" : "Cuardaigh faighteoirí scaireanna", "No recommendations. Start typing." : "Gan moltaí. Tosaigh ag clóscríobh.", "To upload files, you need to provide your name first." : "Chun comhaid a uaslódáil, ní mór duit d'ainm a sholáthar ar dtús.", "Enter your name" : "Cuir isteach d'ainm", "Submit name" : "Cuir ainm", + "Share with {userName}" : "Roinn le {userName}", + "Show sharing options" : "Taispeáin roghanna comhroinnte", "Share note" : "Roinn nóta", "Upload files to %s" : "Uaslódáil comhaid go %s", "%s shared a folder with you." : "Roinn %s fillteán leat.", @@ -431,7 +428,12 @@ "Uploaded files:" : "Comhaid uaslódáilte:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Trí chomhaid a uaslódáil, aontaíonn tú le téarmaí seirbhíse %1$s%2$s.", "Name" : "Ainm", + "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." : "Bain úsáid as an modh seo chun comhaid a roinnt le daoine aonair nó le foirne laistigh de d'eagraíocht. Má tá rochtain ag an bhfaighteoir ar an sciar cheana féin ach nach féidir leis í a aimsiú, is féidir leat an nasc scaire inmheánach a sheoladh chucu le go mbeidh rochtain éasca air.", + "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." : "Bain úsáid as an modh seo chun comhaid a roinnt le daoine aonair nó le heagraíochtaí lasmuigh de d'eagraíocht. Is féidir comhaid agus fillteáin a roinnt trí naisc scaireanna poiblí agus seoltaí ríomhphoist. Is féidir leat a roinnt freisin le cuntais Nextcloud eile arna óstáil ar chásanna éagsúla ag baint úsáide as a n-ID néil cónasctha.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Scaireanna nach cuid de na scaireanna inmheánacha nó seachtracha iad. Is féidir gur scaireanna iad seo ó aipeanna nó ó fhoinsí eile.", "Share with accounts, teams, federated cloud id" : "Comhroinn le cuntais, foirne, aitheantas scamall cónaidhme", + "Share with accounts and teams" : "Roinn le cuntais agus foirne", + "Federated cloud ID" : "ID scamall cónaidhme", "Email, federated cloud id" : "Ríomhphost, aitheantas scamall cónaidhme", "Filename must not be empty." : "Ní ceadmhach ainm an chomhaid a bheith folamh." },"pluralForm" :"nplurals=5; plural=(n==1 ? 0 : n==2 ? 1 : n<7 ? 2 : n<11 ? 3 : 4);" diff --git a/apps/files_sharing/l10n/gl.js b/apps/files_sharing/l10n/gl.js index 26cc90151bf..82bb52203f6 100644 --- a/apps/files_sharing/l10n/gl.js +++ b/apps/files_sharing/l10n/gl.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Xerar un novo contrasinal", "Your administrator has enforced a password protection." : "A administración do sitio impuxo unha protección por contrasinal.", "Automatically copying failed, please copy the share link manually" : "Produciuse un erro ao copiar automaticamente, copie a ligazón para compartir manualmente", - "Link copied to clipboard" : "A ligazón foi copiada no portapapeis", + "Link copied" : "Ligazón copiada", "Email already added" : "O correo xa foi engadido", "Invalid email address" : "Enderezo de correo incorrecto", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["O seguinte enderezo de correo non é válido: {emails}","Os seguintes enderezos de correo non son válidos: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["Foi engadido {count} enderezo de correo","Foron engadidos {count} enderezos de correo"], "You can now share the link below to allow people to upload files to your directory." : "Agora pode compartir a seguinte ligazón para permitir que as persoas envíen ficheiros ao seu directorio.", "Share link" : "Ligazón para compartir", - "Copy to clipboard" : "Copiar no portapapeis", + "Copy" : "Copiar", "Send link via email" : "Enviar a ligazón por correo", "Enter an email address or paste a list" : "Introduza un enderezo de correo ou pegue unha lista", "Remove email" : "Retirar o correo", @@ -199,10 +199,7 @@ OC.L10N.register( "Via “{folder}”" : "A través de «{folder}»", "Unshare" : "Deixar de compartir", "Cannot copy, please copy the link manually" : "Non foi posíbel copiala. Copie a ligazón manualmente", - "Copy internal link to clipboard" : "Copiar a ligazón interna ao portapapeis", - "Only works for people with access to this folder" : "Só funciona para as persoas que teñen acceso a este cartafol", - "Only works for people with access to this file" : "Só funciona para as persoas que teñen acceso a este ficheiro", - "Link copied" : "Ligazón copiada", + "Copy internal link" : "Copiar a ligazón interna", "Internal link" : "Ligazón interna", "{shareWith} by {initiator}" : "{shareWith} por {initiator}", "Shared via link by {initiator}" : "Compartido mediante ligazón por {initiator}", @@ -213,7 +210,6 @@ OC.L10N.register( "Share link ({index})" : "Ligazón para compartir ({index})", "Create public link" : "Crear ligazón pública", "Actions for \"{title}\"" : "Accións para «{title}»", - "Copy public link of \"{title}\" to clipboard" : "Copiar a ligazón pública de «{title}» no portapapeis", "Error, please enter proper password and/or expiration date" : "Erro, introduza un contrasinal ou unha data de caducidade correctos", "Link share created" : "Creouse a ligazón compartida", "Error while creating the share" : "Produciuse un erro ao crear a compartición", @@ -239,7 +235,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Nome, correo ou ID de nube federada…", "Searching …" : "Buscando…", "No elements found." : "Non se atopou ningún elemento.", - "Search globally" : "Buscar globalmente", + "Search everywhere" : "Buscar por todas partes", "Guest" : "Convidado", "Group" : "Grupo", "Email" : "Correo-e", @@ -257,7 +253,6 @@ OC.L10N.register( "By uploading files, you agree to the terms of service." : "Ao enviar ficheiros acepta as condicións de servizo.", "View terms of service" : "Ver as condicións de servizo", "Terms of service" : "Condicións de servizo", - "Share with {userName}" : "Compartir con {userName}", "Share with email {email}" : "Compartir co correo {email}", "Share with group" : "Compartir co grupo", "Share in conversation" : "Compartir na conversa", @@ -302,10 +297,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Non é posíbel recuperar as comparticións herdadas", "Link shares" : "Ligazóns para compartir", "Shares" : "Comparticións", - "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." : "Empregue este método para compartir ficheiros con persoas ou equipos dentro da súa organización. Se o destinatario xa ten acceso á compartición mais non pode localizalo, pode enviarlles a ligazón de compartición interna para un acceso doado.", - "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." : "Empregue este método para compartir ficheiros con persoas ou organizacións alleas á súa organización. Os ficheiros e cartafoles pódense compartir mediante ligazóns públicas e enderezos de correo-e. Tamén pode compartir con outras contas de Nextcloud aloxadas en diferentes instancias usando o seu ID de nube federado.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Comparticións que non formen parte das comparticións internas ou externas. Pode tratarse de comparticións desde aplicacións ou outras orixes.", - "Share with accounts and teams" : "Compartir con contas e equipos", "Unable to load the shares list" : "Non é posíbel cargar a lista de comparticións", "Expires {relativetime}" : "Caducidades {relativetime}", "this share just expired." : "vén de caducar esta compartición", @@ -324,7 +315,6 @@ OC.L10N.register( "Shared" : "Compartido", "Shared by {ownerDisplayName}" : "Compartido por {ownerDisplayName}", "Shared multiple times with different people" : "Compartido varias veces con diferentes persoas", - "Show sharing options" : "Amosar as opcións de compartición", "Shared with others" : "Compartido con outros", "Create file request" : "Crear unha solicitude de ficheiro", "Upload files to {foldername}" : "Enviar ficheiros a {foldername}", @@ -401,13 +391,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Non foi posíbel engadir a ligazón pública ao seu Nextcloud", "You are not allowed to edit link shares that you don't own" : "Vde. non ten permiso para editar as ligazóns compartidas das que non é o propietario", "Download all files" : "Descargar todos os ficheiros", + "Link copied to clipboard" : "A ligazón foi copiada no portapapeis", "_1 email address already added_::_{count} email addresses already added_" : ["Xa foi engadido 1 enderezo de correo","Xa foron engadidos {count} enderezos de correo"], "_1 email address added_::_{count} email addresses added_" : ["Foi engadido 1 enderezo de correo","Foron engadidos {count} enderezos de correo"], + "Copy to clipboard" : "Copiar no portapapeis", + "Copy internal link to clipboard" : "Copiar a ligazón interna ao portapapeis", + "Only works for people with access to this folder" : "Só funciona para as persoas que teñen acceso a este cartafol", + "Only works for people with access to this file" : "Só funciona para as persoas que teñen acceso a este ficheiro", + "Copy public link of \"{title}\" to clipboard" : "Copiar a ligazón pública de «{title}» no portapapeis", + "Search globally" : "Buscar globalmente", "Search for share recipients" : "Buscar destinatarios de comparticións", "No recommendations. Start typing." : "Non hai recomendacións. Comece a escribir.", "To upload files, you need to provide your name first." : "Para enviar ficheiros, primeiro debes fornecer o teu nome.", "Enter your name" : "Introduza o seu nome", "Submit name" : "Enviar o nome", + "Share with {userName}" : "Compartir con {userName}", + "Show sharing options" : "Amosar as opcións de compartición", "Share note" : "Compartir nota", "Upload files to %s" : "Enviar ficheiros a %s", "%s shared a folder with you." : "%s compartiu un cartafol con Vde.", @@ -417,6 +416,10 @@ OC.L10N.register( "Uploaded files:" : "Ficheiros enviados:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Ao enviar ficheiros acepta as %1$s condicións de servizo %2$s.", "Name" : "Nome", + "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." : "Empregue este método para compartir ficheiros con persoas ou equipos dentro da súa organización. Se o destinatario xa ten acceso á compartición mais non pode localizalo, pode enviarlles a ligazón de compartición interna para un acceso doado.", + "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." : "Empregue este método para compartir ficheiros con persoas ou organizacións alleas á súa organización. Os ficheiros e cartafoles pódense compartir mediante ligazóns públicas e enderezos de correo-e. Tamén pode compartir con outras contas de Nextcloud aloxadas en diferentes instancias usando o seu ID de nube federado.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Comparticións que non formen parte das comparticións internas ou externas. Pode tratarse de comparticións desde aplicacións ou outras orixes.", + "Share with accounts and teams" : "Compartir con contas e equipos", "Email, federated cloud id" : "Correo-e, ID da nube federada", "Filename must not be empty." : "O nome de ficheiro non debe estar baleiro" }, diff --git a/apps/files_sharing/l10n/gl.json b/apps/files_sharing/l10n/gl.json index a3100bc6243..71274ec95d4 100644 --- a/apps/files_sharing/l10n/gl.json +++ b/apps/files_sharing/l10n/gl.json @@ -132,7 +132,7 @@ "Generate a new password" : "Xerar un novo contrasinal", "Your administrator has enforced a password protection." : "A administración do sitio impuxo unha protección por contrasinal.", "Automatically copying failed, please copy the share link manually" : "Produciuse un erro ao copiar automaticamente, copie a ligazón para compartir manualmente", - "Link copied to clipboard" : "A ligazón foi copiada no portapapeis", + "Link copied" : "Ligazón copiada", "Email already added" : "O correo xa foi engadido", "Invalid email address" : "Enderezo de correo incorrecto", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["O seguinte enderezo de correo non é válido: {emails}","Os seguintes enderezos de correo non son válidos: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["Foi engadido {count} enderezo de correo","Foron engadidos {count} enderezos de correo"], "You can now share the link below to allow people to upload files to your directory." : "Agora pode compartir a seguinte ligazón para permitir que as persoas envíen ficheiros ao seu directorio.", "Share link" : "Ligazón para compartir", - "Copy to clipboard" : "Copiar no portapapeis", + "Copy" : "Copiar", "Send link via email" : "Enviar a ligazón por correo", "Enter an email address or paste a list" : "Introduza un enderezo de correo ou pegue unha lista", "Remove email" : "Retirar o correo", @@ -197,10 +197,7 @@ "Via “{folder}”" : "A través de «{folder}»", "Unshare" : "Deixar de compartir", "Cannot copy, please copy the link manually" : "Non foi posíbel copiala. Copie a ligazón manualmente", - "Copy internal link to clipboard" : "Copiar a ligazón interna ao portapapeis", - "Only works for people with access to this folder" : "Só funciona para as persoas que teñen acceso a este cartafol", - "Only works for people with access to this file" : "Só funciona para as persoas que teñen acceso a este ficheiro", - "Link copied" : "Ligazón copiada", + "Copy internal link" : "Copiar a ligazón interna", "Internal link" : "Ligazón interna", "{shareWith} by {initiator}" : "{shareWith} por {initiator}", "Shared via link by {initiator}" : "Compartido mediante ligazón por {initiator}", @@ -211,7 +208,6 @@ "Share link ({index})" : "Ligazón para compartir ({index})", "Create public link" : "Crear ligazón pública", "Actions for \"{title}\"" : "Accións para «{title}»", - "Copy public link of \"{title}\" to clipboard" : "Copiar a ligazón pública de «{title}» no portapapeis", "Error, please enter proper password and/or expiration date" : "Erro, introduza un contrasinal ou unha data de caducidade correctos", "Link share created" : "Creouse a ligazón compartida", "Error while creating the share" : "Produciuse un erro ao crear a compartición", @@ -237,7 +233,7 @@ "Name, email, or Federated Cloud ID …" : "Nome, correo ou ID de nube federada…", "Searching …" : "Buscando…", "No elements found." : "Non se atopou ningún elemento.", - "Search globally" : "Buscar globalmente", + "Search everywhere" : "Buscar por todas partes", "Guest" : "Convidado", "Group" : "Grupo", "Email" : "Correo-e", @@ -255,7 +251,6 @@ "By uploading files, you agree to the terms of service." : "Ao enviar ficheiros acepta as condicións de servizo.", "View terms of service" : "Ver as condicións de servizo", "Terms of service" : "Condicións de servizo", - "Share with {userName}" : "Compartir con {userName}", "Share with email {email}" : "Compartir co correo {email}", "Share with group" : "Compartir co grupo", "Share in conversation" : "Compartir na conversa", @@ -300,10 +295,6 @@ "Unable to fetch inherited shares" : "Non é posíbel recuperar as comparticións herdadas", "Link shares" : "Ligazóns para compartir", "Shares" : "Comparticións", - "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." : "Empregue este método para compartir ficheiros con persoas ou equipos dentro da súa organización. Se o destinatario xa ten acceso á compartición mais non pode localizalo, pode enviarlles a ligazón de compartición interna para un acceso doado.", - "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." : "Empregue este método para compartir ficheiros con persoas ou organizacións alleas á súa organización. Os ficheiros e cartafoles pódense compartir mediante ligazóns públicas e enderezos de correo-e. Tamén pode compartir con outras contas de Nextcloud aloxadas en diferentes instancias usando o seu ID de nube federado.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Comparticións que non formen parte das comparticións internas ou externas. Pode tratarse de comparticións desde aplicacións ou outras orixes.", - "Share with accounts and teams" : "Compartir con contas e equipos", "Unable to load the shares list" : "Non é posíbel cargar a lista de comparticións", "Expires {relativetime}" : "Caducidades {relativetime}", "this share just expired." : "vén de caducar esta compartición", @@ -322,7 +313,6 @@ "Shared" : "Compartido", "Shared by {ownerDisplayName}" : "Compartido por {ownerDisplayName}", "Shared multiple times with different people" : "Compartido varias veces con diferentes persoas", - "Show sharing options" : "Amosar as opcións de compartición", "Shared with others" : "Compartido con outros", "Create file request" : "Crear unha solicitude de ficheiro", "Upload files to {foldername}" : "Enviar ficheiros a {foldername}", @@ -399,13 +389,22 @@ "Failed to add the public link to your Nextcloud" : "Non foi posíbel engadir a ligazón pública ao seu Nextcloud", "You are not allowed to edit link shares that you don't own" : "Vde. non ten permiso para editar as ligazóns compartidas das que non é o propietario", "Download all files" : "Descargar todos os ficheiros", + "Link copied to clipboard" : "A ligazón foi copiada no portapapeis", "_1 email address already added_::_{count} email addresses already added_" : ["Xa foi engadido 1 enderezo de correo","Xa foron engadidos {count} enderezos de correo"], "_1 email address added_::_{count} email addresses added_" : ["Foi engadido 1 enderezo de correo","Foron engadidos {count} enderezos de correo"], + "Copy to clipboard" : "Copiar no portapapeis", + "Copy internal link to clipboard" : "Copiar a ligazón interna ao portapapeis", + "Only works for people with access to this folder" : "Só funciona para as persoas que teñen acceso a este cartafol", + "Only works for people with access to this file" : "Só funciona para as persoas que teñen acceso a este ficheiro", + "Copy public link of \"{title}\" to clipboard" : "Copiar a ligazón pública de «{title}» no portapapeis", + "Search globally" : "Buscar globalmente", "Search for share recipients" : "Buscar destinatarios de comparticións", "No recommendations. Start typing." : "Non hai recomendacións. Comece a escribir.", "To upload files, you need to provide your name first." : "Para enviar ficheiros, primeiro debes fornecer o teu nome.", "Enter your name" : "Introduza o seu nome", "Submit name" : "Enviar o nome", + "Share with {userName}" : "Compartir con {userName}", + "Show sharing options" : "Amosar as opcións de compartición", "Share note" : "Compartir nota", "Upload files to %s" : "Enviar ficheiros a %s", "%s shared a folder with you." : "%s compartiu un cartafol con Vde.", @@ -415,6 +414,10 @@ "Uploaded files:" : "Ficheiros enviados:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Ao enviar ficheiros acepta as %1$s condicións de servizo %2$s.", "Name" : "Nome", + "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." : "Empregue este método para compartir ficheiros con persoas ou equipos dentro da súa organización. Se o destinatario xa ten acceso á compartición mais non pode localizalo, pode enviarlles a ligazón de compartición interna para un acceso doado.", + "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." : "Empregue este método para compartir ficheiros con persoas ou organizacións alleas á súa organización. Os ficheiros e cartafoles pódense compartir mediante ligazóns públicas e enderezos de correo-e. Tamén pode compartir con outras contas de Nextcloud aloxadas en diferentes instancias usando o seu ID de nube federado.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Comparticións que non formen parte das comparticións internas ou externas. Pode tratarse de comparticións desde aplicacións ou outras orixes.", + "Share with accounts and teams" : "Compartir con contas e equipos", "Email, federated cloud id" : "Correo-e, ID da nube federada", "Filename must not be empty." : "O nome de ficheiro non debe estar baleiro" },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_sharing/l10n/hr.js b/apps/files_sharing/l10n/hr.js deleted file mode 100644 index 0f4ccd15fa3..00000000000 --- a/apps/files_sharing/l10n/hr.js +++ /dev/null @@ -1,225 +0,0 @@ -OC.L10N.register( - "files_sharing", - { - "File shares" : "Dijeljenja datoteke", - "Downloaded via public link" : "Preuzeto putem javne poveznice", - "Downloaded by {email}" : "Preuzeo {email}", - "{file} downloaded via public link" : "{file} preuzeto putem javne poveznice", - "{email} downloaded {file}" : "{email} preuzeo {file}", - "Shared with group {group}" : "Dijeljeno s grupom {group}", - "Removed share for group {group}" : "Uklonjeno dijeljenje za grupu {group}", - "{actor} shared with group {group}" : "{actor} dijeli s grupom {group}", - "{actor} removed share for group {group}" : "{actor} je uklonio dijeljenje za grupu {group}", - "Share for group {group} expired" : "Isteklo je dijeljenje za grupu {group}", - "You shared {file} with group {group}" : "Dijelite {file} s grupom {group}", - "You removed group {group} from {file}" : "Uklonili ste grupu {group} iz {file}", - "{actor} shared {file} with group {group}" : "{actor} dijeli {file} s grupom {group}", - "{actor} removed group {group} from {file}" : "{actor} je uklonio grupu {group} iz {file}", - "Share for file {file} with group {group} expired" : "Isteklo je dijeljenje datoteke {file} s grupom {group}", - "Shared as public link" : "Dijeljeno kao javna poveznica", - "Removed public link" : "Uklonjena javna poveznica", - "Public link expired" : "Javna poveznica je istekla", - "{actor} shared as public link" : "{actor} dijeli kao javnu poveznicu", - "{actor} removed public link" : "{actor} je uklonio javnu poveznicu", - "Public link of {actor} expired" : "Istekla je javna poveznica {actor}", - "You shared {file} as public link" : "Dijelite {file} kao javnu poveznicu", - "You removed public link for {file}" : "Uklonili ste javnu poveznicu na {file}", - "Public link expired for {file}" : "Istekla je javna poveznica za {file}", - "{actor} shared {file} as public link" : "{actor} dijeli {file} kao javnu poveznicu", - "{actor} removed public link for {file}" : "{actor} je uklonio javnu poveznicu za {file}", - "Public link of {actor} for {file} expired" : "Istekla je javna poveznica {actor} za {file}", - "{user} accepted the remote share" : "{user} je prihvatio udaljeno dijeljenje", - "{user} declined the remote share" : "{user} je odbio udaljeno dijeljenje", - "You received a new remote share {file} from {user}" : "Primili ste novo udaljeno dijeljenje {file} od {user}", - "{user} accepted the remote share of {file}" : "{user} je prihvatio udaljeno dijeljenje {file}", - "{user} declined the remote share of {file}" : "{user} je odbio udaljeno dijeljenje {file}", - "{user} unshared {file} from you" : "{user} je prestao dijeliti {file} s vama", - "Shared with {user}" : "Dijeljeno s {user}", - "Removed share for {user}" : "Uklonjeno dijeljenje za {user}", - "You removed yourself" : "Uklonili ste sami", - "{actor} removed themselves" : "{actor} je sam uklonio", - "{actor} shared with {user}" : "{actor} dijeli s {user}", - "{actor} removed share for {user}" : "{actor} je uklonio dijeljenje za {user}", - "Shared by {actor}" : "Dijeli {actor}", - "{actor} removed share" : "{actor} je uklonio dijeljenje", - "Share for {user} expired" : "Isteklo je dijeljenje za {user}", - "Share expired" : "Dijeljenje je isteklo", - "You shared {file} with {user}" : "Dijelite {file} s {user}", - "You removed {user} from {file}" : "Uklonili ste {user} iz {file}", - "You removed yourself from {file}" : "Uklonili ste sebe iz {file}", - "{actor} removed themselves from {file}" : "{actor} je uklonio sebe iz {file}", - "{actor} shared {file} with {user}" : "{actor} dijeli {file} s {user}", - "{actor} removed {user} from {file}" : "{actor} je uklonio {user} iz {file}", - "{actor} shared {file} with you" : "{actor} dijeli {file} s vama", - "{actor} removed you from the share named {file}" : "{actor} vas je uklonio iz dijeljenja pod nazivom {file}", - "Share for file {file} with {user} expired" : "Isteklo je dijeljenje datoteke {file} s {user}", - "Share for file {file} expired" : "Isteklo je dijeljenje datoteke {file}", - "A file or folder shared by mail or by public link was <strong>downloaded</strong>" : "Datoteka ili mapa dijeljena poštom ili javnom poveznicom <strong>je preuzeta</strong>", - "A file or folder was shared from <strong>another server</strong>" : "Datoteka ili mapa dijeli se s <strong>drugog poslužitelja</strong>", - "Sharing" : "Dijeljenje", - "A file or folder has been <strong>shared</strong>" : "Datoteka ili mapa je <strong>dijeljena</strong>", - "Shared link" : "Dijeljena poveznica", - "Could not delete share" : "Dijeljenje nije moguće izbrisati", - "Please specify a file or folder path" : "Navedite put datoteke ili mape", - "Could not create share" : "Nije moguće stvoriti dijeljenje", - "Group sharing is disabled by the administrator" : "Administrator je onemogućio grupno dijeljenje", - "Please specify a valid group" : "Navedite valjanu grupu", - "Public link sharing is disabled by the administrator" : "Administrator je onemogućio dijeljenje javnih poveznica", - "Sharing %s sending the password by Nextcloud Talk failed because Nextcloud Talk is not enabled" : "Neuspješno dijeljenje %s slanjem zaporke za Nextcloud Talk jer Nextcloud Talk nije omogućen", - "Sharing %1$s failed because the back end does not allow shares from type %2$s" : "Neuspješno dijeljenje %1$s jer pozadinski servis ne dopušta dijeljenje vrste %2$s", - "Please specify a valid federated group ID" : "Navedite važeći ID udružene grupe", - "Sharing %s failed because the back end does not support room shares" : "Neuspješno dijeljenje %s jer pozadinski servis ne dopušta dijeljenje između soba", - "Unknown share type" : "Nepoznata vrsta dijeljenja", - "Not a directory" : "Nije imenik", - "Could not lock node" : "Nije moguće zaključati čvorište", - "Public upload is only possible for publicly shared folders" : "Javno otpremanje moguće je samo za javno dijeljene mape", - "Public upload disabled by the administrator" : "Administrator je onemogućio javno otpremanje", - "Could not lock path" : "Put nije moguće zaključati", - "Wrong or no update parameter given" : "Pogrešan parametar ili nije dodan parametar ažuriranja", - "\"Sending the password by Nextcloud Talk\" for sharing a file or folder failed because Nextcloud Talk is not enabled." : "„Slanje zaporke putem aplikacije Nextcloud Talk“ radi dijeljenja datoteke ili mape nije uspjelo jer Nextcloud Talk nije omogućen.", - "Wrong password" : "Pogrešna zaporka", - "shared by %s" : "dijeli %s", - "Download" : "Preuzmi", - "Add to your %s" : "Dodajte u svoj %s", - "Direct link" : "Izravna poveznica", - "Share API is disabled" : "API za dijeljenje je onemogućen", - "File sharing" : "Dijeljenje datoteka", - "Share will expire tomorrow" : "Dijeljenje istječe sutra", - "Your share of {node} will expire tomorrow" : "Vaše dijeljenje {node} istječe sutra", - "You received {share} as a share by {user}" : "Primili ste {share} kao dijeljenje od {user}", - "You received {share} to group {group} as a share by {user}" : "Primili ste {share} grupi {group} kao dijeljenje od {user}", - "Accept" : "Prihvati", - "Decline" : "Odbij", - "People" : "Ljudi", - "Expiration date" : "Datum isteka", - "Set a password" : "Postavi zaporku", - "Password" : "Zaporka", - "Link copied to clipboard" : "Poveznica je kopirana u međuspremnik", - "Share link" : "Dijeli poveznicu", - "Copy to clipboard" : "Kopiraj u međuspremnik", - "Select" : "Odaberi", - "Close" : "Zatvori", - "Error creating the share: {errorMessage}" : "Pogreška pri stvaranju dijeljenja: {errorMessage}", - "Error creating the share" : "Pogreška pri stvaranju dijeljenja", - "Cancel" : "Odustani", - "Continue" : "Nastavi", - "Invalid path selected" : "Odabran nevažeći put", - "Unknown error" : "Nepoznata pogreška", - "Reset" : "Resetiraj", - "group" : "grupa", - "conversation" : "razgovor", - "remote" : "na daljinu", - "remote group" : "udaljena grupa", - "guest" : "gost", - "Shared with the group {user} by {owner}" : "S grupom {user} dijeli {owner}", - "Shared with the conversation {user} by {owner}" : "S razgovorom {user} dijeli {owner}", - "Shared with {user} by {owner}" : "S {user} dijeli {owner}", - "Added by {initiator}" : "Dodao {initiator}", - "Via “{folder}”" : "Putem „{folder}“", - "Unshare" : "Prestani dijeliti", - "Cannot copy, please copy the link manually" : "Kopiranje nije moguće, ručno kopirajte poveznicu", - "Link copied" : "Poveznica je kopirana", - "Internal link" : "Interna poveznica", - "{shareWith} by {initiator}" : "{shareWith} od {initiator}", - "Shared via link by {initiator}" : "Dijeli {initiator} putem poveznice", - "Mail share ({label})" : "Dijeljenje poštom ({label})", - "Share link ({label})" : "Poveznica dijeljenja ({label})", - "Create public link" : "Stvori javnu poveznicu", - "Error, please enter proper password and/or expiration date" : "Pogreška, unesite točnu zaporku i/ili datum isteka", - "Please enter the following required information before creating the share" : "Unesite sljedeće informacije prije stvaranja dijeljenja", - "Password protection (enforced)" : "Zaštita zaporkom (provedeno)", - "Password protection" : "Zaštita zaporkom", - "Enter a password" : "Unesite zaporku", - "Create share" : "Stvori dijeljenje", - "Add another link" : "Dodaj drugu poveznicu", - "Create a new share link" : "Stvori novu poveznicu dijeljenja", - "View only" : "Samo za gledanje", - "Can edit" : "Uređivanje moguće", - "Resharing is not allowed" : "Ponovno dijeljenje nije dopušteno", - "Name or email …" : "Ime ili adresa e-pošte…", - "Name, email, or Federated Cloud ID …" : "Naziv, adresa e-pošte ili ID udruženog oblaka…", - "Searching …" : "Traženje…", - "No elements found." : "Elementi nisu pronađeni.", - "Search globally" : "Pretraži globalno", - "Guest" : "Gost", - "Group" : "Grupa", - "Email" : "E-pošta", - "Talk conversation" : "Razgovori u alatu Talk", - "Deck board" : "Deck ploča", - "on {server}" : "na {server}", - "File drop" : "Povlačenje datoteke", - "Terms of service" : "Uvjeti pružanja usluge", - "Read" : "Čitaj", - "Create" : "Stvori", - "Edit" : "Uredi", - "Share" : "Dijeli", - "Delete" : "Izbriši", - "Allow upload and editing" : "Omogući otpremanje i uređivanje", - "Allow editing" : "Dopusti uređivanje", - "Advanced settings" : "Napredne postavke", - "Share label" : "oznaka za dijeljenje", - "Video verification" : "Provjera videozapisa", - "Expiration date (enforced)" : "Datum isteka (provedeno)", - "Set expiration date" : "Postavi datum isteka", - "Hide download" : "Sakrij preuzimanje", - "Note to recipient" : "Obavijest primatelju", - "Enter a note for the share recipient" : "Unesite bilješku za primatelja dijeljenja", - "Delete share" : "Izbriši dijeljenje", - "Others with access" : "Korisnici s omogućenim pristupom", - "Toggle list of others with access to this directory" : "Uključi/isključi popis korisnika koji smiju pristupiti ovom direktoriju", - "Toggle list of others with access to this file" : "Uključi/isključi popis korisnika koji smiju pristupiti ovoj datoteci", - "Unable to fetch inherited shares" : "Neuspješno dohvaćanje naslijeđenih dijeljenja", - "Shares" : "Dijeljenja", - "Unable to load the shares list" : "Nije moguće učitati popis dijeljenja", - "Expires {relativetime}" : "Istječe {relativetime}", - "this share just expired." : "ovo dijeljenje je upravo isteklo.", - "Shared with you by {owner}" : "S vama podijelio {owner}", - "Link to a file" : "Poveži s datotekom", - "Shared" : "Dijeljeno", - "Shared with others" : "Podijeljeno s ostalima", - "No file" : "Nema datoteke", - "Public share" : "Javno dijeljenje", - "No shares" : "Nema dijeljenja", - "Shared with you" : "Podijeljeno s vama", - "Nothing shared with you yet" : "Još ništa nije dijeljeno s vama", - "Nothing shared yet" : "Još ništa nije dijeljeno", - "Shared by link" : "Podijeljeno putem poveznice", - "No shared links" : "Nema dijeljenih poveznica", - "Deleted shares" : "Izbrisana dijeljenja", - "No deleted shares" : "Nema izbrisanih dijeljenja", - "Pending shares" : "Dijeljenja na čekanju", - "No pending shares" : "Nema dijeljenja na čekanju", - "Error deleting the share" : "Pogreška pri brisanju dijeljenja", - "Error updating the share: {errorMessage}" : "Pogreška pri ažuriranju dijeljenja: {errorMessage}", - "Error updating the share" : "Pogreška pri ažuriranju dijeljenja", - "Shared by" : "Podijeljeno od", - "Shared with" : "Dijeljeno s", - "Shared with you and the group {group} by {owner}" : "Dijeljeno s vama i grupom {group} vlasnika {owner}", - "Shared with you and {circle} by {owner}" : "Dijeljeno s vama i {circle} od strane {owner}", - "Shared with you and the conversation {conversation} by {owner}" : "Dijeljeno s vama i razgovorom {conversation} vlasnika {owner}", - "Shared with you in a conversation by {owner}" : "{owner} dijeli s vama u razgovoru", - "Share not found" : "Dijeljenje nije pronađeno", - "Back to %s" : "Natrag na %s", - "Add to your Nextcloud" : "Dodaj u svoj Nextcloud", - "Waiting…" : "Čekanje…", - "error" : "pogreška", - "finished" : "završeno", - "This will stop your current uploads." : "Ovo će zaustaviti vaše trenutačne otpreme.", - "Move or copy" : "Premjesti ili kopiraj", - "You can upload into this folder" : "Možete otpremiti u ovu mapu", - "No compatible server found at {remote}" : "Nije pronađen nijedan kompatibilni poslužitelj na {remote}", - "Invalid server URL" : "Nevažeći URL poslužitelja", - "Failed to add the public link to your Nextcloud" : "Dodavanje javne poveznice u Nextcloud nije uspjelo", - "Download all files" : "Preuzmi sve datoteke", - "No recommendations. Start typing." : "Nema preporuka. Započnite unos.", - "Enter your name" : "Unesite svoje ime", - "Share note" : "Dijeli bilješku", - "Upload files to %s" : "Otpremi datoteke na %s", - "Note" : "Bilješka", - "Select or drop files" : "Odaberi ili ispusti datoteke", - "Uploading files" : "Otpremanje datoteka", - "Uploaded files:" : "Otpremljene datoteke:", - "By uploading files, you agree to the %1$sterms of service%2$s." : "Otpremanjem datoteka prihvaćate %1$ uvjete korištenja usluge%2$s.", - "Name" : "Naziv" -}, -"nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;"); diff --git a/apps/files_sharing/l10n/hr.json b/apps/files_sharing/l10n/hr.json deleted file mode 100644 index 6148922a49c..00000000000 --- a/apps/files_sharing/l10n/hr.json +++ /dev/null @@ -1,223 +0,0 @@ -{ "translations": { - "File shares" : "Dijeljenja datoteke", - "Downloaded via public link" : "Preuzeto putem javne poveznice", - "Downloaded by {email}" : "Preuzeo {email}", - "{file} downloaded via public link" : "{file} preuzeto putem javne poveznice", - "{email} downloaded {file}" : "{email} preuzeo {file}", - "Shared with group {group}" : "Dijeljeno s grupom {group}", - "Removed share for group {group}" : "Uklonjeno dijeljenje za grupu {group}", - "{actor} shared with group {group}" : "{actor} dijeli s grupom {group}", - "{actor} removed share for group {group}" : "{actor} je uklonio dijeljenje za grupu {group}", - "Share for group {group} expired" : "Isteklo je dijeljenje za grupu {group}", - "You shared {file} with group {group}" : "Dijelite {file} s grupom {group}", - "You removed group {group} from {file}" : "Uklonili ste grupu {group} iz {file}", - "{actor} shared {file} with group {group}" : "{actor} dijeli {file} s grupom {group}", - "{actor} removed group {group} from {file}" : "{actor} je uklonio grupu {group} iz {file}", - "Share for file {file} with group {group} expired" : "Isteklo je dijeljenje datoteke {file} s grupom {group}", - "Shared as public link" : "Dijeljeno kao javna poveznica", - "Removed public link" : "Uklonjena javna poveznica", - "Public link expired" : "Javna poveznica je istekla", - "{actor} shared as public link" : "{actor} dijeli kao javnu poveznicu", - "{actor} removed public link" : "{actor} je uklonio javnu poveznicu", - "Public link of {actor} expired" : "Istekla je javna poveznica {actor}", - "You shared {file} as public link" : "Dijelite {file} kao javnu poveznicu", - "You removed public link for {file}" : "Uklonili ste javnu poveznicu na {file}", - "Public link expired for {file}" : "Istekla je javna poveznica za {file}", - "{actor} shared {file} as public link" : "{actor} dijeli {file} kao javnu poveznicu", - "{actor} removed public link for {file}" : "{actor} je uklonio javnu poveznicu za {file}", - "Public link of {actor} for {file} expired" : "Istekla je javna poveznica {actor} za {file}", - "{user} accepted the remote share" : "{user} je prihvatio udaljeno dijeljenje", - "{user} declined the remote share" : "{user} je odbio udaljeno dijeljenje", - "You received a new remote share {file} from {user}" : "Primili ste novo udaljeno dijeljenje {file} od {user}", - "{user} accepted the remote share of {file}" : "{user} je prihvatio udaljeno dijeljenje {file}", - "{user} declined the remote share of {file}" : "{user} je odbio udaljeno dijeljenje {file}", - "{user} unshared {file} from you" : "{user} je prestao dijeliti {file} s vama", - "Shared with {user}" : "Dijeljeno s {user}", - "Removed share for {user}" : "Uklonjeno dijeljenje za {user}", - "You removed yourself" : "Uklonili ste sami", - "{actor} removed themselves" : "{actor} je sam uklonio", - "{actor} shared with {user}" : "{actor} dijeli s {user}", - "{actor} removed share for {user}" : "{actor} je uklonio dijeljenje za {user}", - "Shared by {actor}" : "Dijeli {actor}", - "{actor} removed share" : "{actor} je uklonio dijeljenje", - "Share for {user} expired" : "Isteklo je dijeljenje za {user}", - "Share expired" : "Dijeljenje je isteklo", - "You shared {file} with {user}" : "Dijelite {file} s {user}", - "You removed {user} from {file}" : "Uklonili ste {user} iz {file}", - "You removed yourself from {file}" : "Uklonili ste sebe iz {file}", - "{actor} removed themselves from {file}" : "{actor} je uklonio sebe iz {file}", - "{actor} shared {file} with {user}" : "{actor} dijeli {file} s {user}", - "{actor} removed {user} from {file}" : "{actor} je uklonio {user} iz {file}", - "{actor} shared {file} with you" : "{actor} dijeli {file} s vama", - "{actor} removed you from the share named {file}" : "{actor} vas je uklonio iz dijeljenja pod nazivom {file}", - "Share for file {file} with {user} expired" : "Isteklo je dijeljenje datoteke {file} s {user}", - "Share for file {file} expired" : "Isteklo je dijeljenje datoteke {file}", - "A file or folder shared by mail or by public link was <strong>downloaded</strong>" : "Datoteka ili mapa dijeljena poštom ili javnom poveznicom <strong>je preuzeta</strong>", - "A file or folder was shared from <strong>another server</strong>" : "Datoteka ili mapa dijeli se s <strong>drugog poslužitelja</strong>", - "Sharing" : "Dijeljenje", - "A file or folder has been <strong>shared</strong>" : "Datoteka ili mapa je <strong>dijeljena</strong>", - "Shared link" : "Dijeljena poveznica", - "Could not delete share" : "Dijeljenje nije moguće izbrisati", - "Please specify a file or folder path" : "Navedite put datoteke ili mape", - "Could not create share" : "Nije moguće stvoriti dijeljenje", - "Group sharing is disabled by the administrator" : "Administrator je onemogućio grupno dijeljenje", - "Please specify a valid group" : "Navedite valjanu grupu", - "Public link sharing is disabled by the administrator" : "Administrator je onemogućio dijeljenje javnih poveznica", - "Sharing %s sending the password by Nextcloud Talk failed because Nextcloud Talk is not enabled" : "Neuspješno dijeljenje %s slanjem zaporke za Nextcloud Talk jer Nextcloud Talk nije omogućen", - "Sharing %1$s failed because the back end does not allow shares from type %2$s" : "Neuspješno dijeljenje %1$s jer pozadinski servis ne dopušta dijeljenje vrste %2$s", - "Please specify a valid federated group ID" : "Navedite važeći ID udružene grupe", - "Sharing %s failed because the back end does not support room shares" : "Neuspješno dijeljenje %s jer pozadinski servis ne dopušta dijeljenje između soba", - "Unknown share type" : "Nepoznata vrsta dijeljenja", - "Not a directory" : "Nije imenik", - "Could not lock node" : "Nije moguće zaključati čvorište", - "Public upload is only possible for publicly shared folders" : "Javno otpremanje moguće je samo za javno dijeljene mape", - "Public upload disabled by the administrator" : "Administrator je onemogućio javno otpremanje", - "Could not lock path" : "Put nije moguće zaključati", - "Wrong or no update parameter given" : "Pogrešan parametar ili nije dodan parametar ažuriranja", - "\"Sending the password by Nextcloud Talk\" for sharing a file or folder failed because Nextcloud Talk is not enabled." : "„Slanje zaporke putem aplikacije Nextcloud Talk“ radi dijeljenja datoteke ili mape nije uspjelo jer Nextcloud Talk nije omogućen.", - "Wrong password" : "Pogrešna zaporka", - "shared by %s" : "dijeli %s", - "Download" : "Preuzmi", - "Add to your %s" : "Dodajte u svoj %s", - "Direct link" : "Izravna poveznica", - "Share API is disabled" : "API za dijeljenje je onemogućen", - "File sharing" : "Dijeljenje datoteka", - "Share will expire tomorrow" : "Dijeljenje istječe sutra", - "Your share of {node} will expire tomorrow" : "Vaše dijeljenje {node} istječe sutra", - "You received {share} as a share by {user}" : "Primili ste {share} kao dijeljenje od {user}", - "You received {share} to group {group} as a share by {user}" : "Primili ste {share} grupi {group} kao dijeljenje od {user}", - "Accept" : "Prihvati", - "Decline" : "Odbij", - "People" : "Ljudi", - "Expiration date" : "Datum isteka", - "Set a password" : "Postavi zaporku", - "Password" : "Zaporka", - "Link copied to clipboard" : "Poveznica je kopirana u međuspremnik", - "Share link" : "Dijeli poveznicu", - "Copy to clipboard" : "Kopiraj u međuspremnik", - "Select" : "Odaberi", - "Close" : "Zatvori", - "Error creating the share: {errorMessage}" : "Pogreška pri stvaranju dijeljenja: {errorMessage}", - "Error creating the share" : "Pogreška pri stvaranju dijeljenja", - "Cancel" : "Odustani", - "Continue" : "Nastavi", - "Invalid path selected" : "Odabran nevažeći put", - "Unknown error" : "Nepoznata pogreška", - "Reset" : "Resetiraj", - "group" : "grupa", - "conversation" : "razgovor", - "remote" : "na daljinu", - "remote group" : "udaljena grupa", - "guest" : "gost", - "Shared with the group {user} by {owner}" : "S grupom {user} dijeli {owner}", - "Shared with the conversation {user} by {owner}" : "S razgovorom {user} dijeli {owner}", - "Shared with {user} by {owner}" : "S {user} dijeli {owner}", - "Added by {initiator}" : "Dodao {initiator}", - "Via “{folder}”" : "Putem „{folder}“", - "Unshare" : "Prestani dijeliti", - "Cannot copy, please copy the link manually" : "Kopiranje nije moguće, ručno kopirajte poveznicu", - "Link copied" : "Poveznica je kopirana", - "Internal link" : "Interna poveznica", - "{shareWith} by {initiator}" : "{shareWith} od {initiator}", - "Shared via link by {initiator}" : "Dijeli {initiator} putem poveznice", - "Mail share ({label})" : "Dijeljenje poštom ({label})", - "Share link ({label})" : "Poveznica dijeljenja ({label})", - "Create public link" : "Stvori javnu poveznicu", - "Error, please enter proper password and/or expiration date" : "Pogreška, unesite točnu zaporku i/ili datum isteka", - "Please enter the following required information before creating the share" : "Unesite sljedeće informacije prije stvaranja dijeljenja", - "Password protection (enforced)" : "Zaštita zaporkom (provedeno)", - "Password protection" : "Zaštita zaporkom", - "Enter a password" : "Unesite zaporku", - "Create share" : "Stvori dijeljenje", - "Add another link" : "Dodaj drugu poveznicu", - "Create a new share link" : "Stvori novu poveznicu dijeljenja", - "View only" : "Samo za gledanje", - "Can edit" : "Uređivanje moguće", - "Resharing is not allowed" : "Ponovno dijeljenje nije dopušteno", - "Name or email …" : "Ime ili adresa e-pošte…", - "Name, email, or Federated Cloud ID …" : "Naziv, adresa e-pošte ili ID udruženog oblaka…", - "Searching …" : "Traženje…", - "No elements found." : "Elementi nisu pronađeni.", - "Search globally" : "Pretraži globalno", - "Guest" : "Gost", - "Group" : "Grupa", - "Email" : "E-pošta", - "Talk conversation" : "Razgovori u alatu Talk", - "Deck board" : "Deck ploča", - "on {server}" : "na {server}", - "File drop" : "Povlačenje datoteke", - "Terms of service" : "Uvjeti pružanja usluge", - "Read" : "Čitaj", - "Create" : "Stvori", - "Edit" : "Uredi", - "Share" : "Dijeli", - "Delete" : "Izbriši", - "Allow upload and editing" : "Omogući otpremanje i uređivanje", - "Allow editing" : "Dopusti uređivanje", - "Advanced settings" : "Napredne postavke", - "Share label" : "oznaka za dijeljenje", - "Video verification" : "Provjera videozapisa", - "Expiration date (enforced)" : "Datum isteka (provedeno)", - "Set expiration date" : "Postavi datum isteka", - "Hide download" : "Sakrij preuzimanje", - "Note to recipient" : "Obavijest primatelju", - "Enter a note for the share recipient" : "Unesite bilješku za primatelja dijeljenja", - "Delete share" : "Izbriši dijeljenje", - "Others with access" : "Korisnici s omogućenim pristupom", - "Toggle list of others with access to this directory" : "Uključi/isključi popis korisnika koji smiju pristupiti ovom direktoriju", - "Toggle list of others with access to this file" : "Uključi/isključi popis korisnika koji smiju pristupiti ovoj datoteci", - "Unable to fetch inherited shares" : "Neuspješno dohvaćanje naslijeđenih dijeljenja", - "Shares" : "Dijeljenja", - "Unable to load the shares list" : "Nije moguće učitati popis dijeljenja", - "Expires {relativetime}" : "Istječe {relativetime}", - "this share just expired." : "ovo dijeljenje je upravo isteklo.", - "Shared with you by {owner}" : "S vama podijelio {owner}", - "Link to a file" : "Poveži s datotekom", - "Shared" : "Dijeljeno", - "Shared with others" : "Podijeljeno s ostalima", - "No file" : "Nema datoteke", - "Public share" : "Javno dijeljenje", - "No shares" : "Nema dijeljenja", - "Shared with you" : "Podijeljeno s vama", - "Nothing shared with you yet" : "Još ništa nije dijeljeno s vama", - "Nothing shared yet" : "Još ništa nije dijeljeno", - "Shared by link" : "Podijeljeno putem poveznice", - "No shared links" : "Nema dijeljenih poveznica", - "Deleted shares" : "Izbrisana dijeljenja", - "No deleted shares" : "Nema izbrisanih dijeljenja", - "Pending shares" : "Dijeljenja na čekanju", - "No pending shares" : "Nema dijeljenja na čekanju", - "Error deleting the share" : "Pogreška pri brisanju dijeljenja", - "Error updating the share: {errorMessage}" : "Pogreška pri ažuriranju dijeljenja: {errorMessage}", - "Error updating the share" : "Pogreška pri ažuriranju dijeljenja", - "Shared by" : "Podijeljeno od", - "Shared with" : "Dijeljeno s", - "Shared with you and the group {group} by {owner}" : "Dijeljeno s vama i grupom {group} vlasnika {owner}", - "Shared with you and {circle} by {owner}" : "Dijeljeno s vama i {circle} od strane {owner}", - "Shared with you and the conversation {conversation} by {owner}" : "Dijeljeno s vama i razgovorom {conversation} vlasnika {owner}", - "Shared with you in a conversation by {owner}" : "{owner} dijeli s vama u razgovoru", - "Share not found" : "Dijeljenje nije pronađeno", - "Back to %s" : "Natrag na %s", - "Add to your Nextcloud" : "Dodaj u svoj Nextcloud", - "Waiting…" : "Čekanje…", - "error" : "pogreška", - "finished" : "završeno", - "This will stop your current uploads." : "Ovo će zaustaviti vaše trenutačne otpreme.", - "Move or copy" : "Premjesti ili kopiraj", - "You can upload into this folder" : "Možete otpremiti u ovu mapu", - "No compatible server found at {remote}" : "Nije pronađen nijedan kompatibilni poslužitelj na {remote}", - "Invalid server URL" : "Nevažeći URL poslužitelja", - "Failed to add the public link to your Nextcloud" : "Dodavanje javne poveznice u Nextcloud nije uspjelo", - "Download all files" : "Preuzmi sve datoteke", - "No recommendations. Start typing." : "Nema preporuka. Započnite unos.", - "Enter your name" : "Unesite svoje ime", - "Share note" : "Dijeli bilješku", - "Upload files to %s" : "Otpremi datoteke na %s", - "Note" : "Bilješka", - "Select or drop files" : "Odaberi ili ispusti datoteke", - "Uploading files" : "Otpremanje datoteka", - "Uploaded files:" : "Otpremljene datoteke:", - "By uploading files, you agree to the %1$sterms of service%2$s." : "Otpremanjem datoteka prihvaćate %1$ uvjete korištenja usluge%2$s.", - "Name" : "Naziv" -},"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_sharing/l10n/hu.js b/apps/files_sharing/l10n/hu.js index 58b4eec1388..2e6bb8ff77d 100644 --- a/apps/files_sharing/l10n/hu.js +++ b/apps/files_sharing/l10n/hu.js @@ -108,10 +108,10 @@ OC.L10N.register( "Password" : "Jelszó", "Enter a valid password" : "Adjon meg érvényes jelszót", "Generate a new password" : "Új jelszó előállítása", - "Link copied to clipboard" : "Hivatkozás a vágólapra másolva", + "Link copied" : "Hivatkozás másolva", "Invalid email address" : "Érvénytelen e-mail-cím", "Share link" : "Megosztási hivatkozás", - "Copy to clipboard" : "Másolás a vágólapra", + "Copy" : "Másolás", "Send link via email" : "Hivatkozás küldése levélben", "Remove email" : "E-mail eltávolítása", "Select" : "Kiválasztás", @@ -142,9 +142,7 @@ OC.L10N.register( "Via “{folder}”" : "A(z) „{folder}” mappán keretül", "Unshare" : "Megosztás visszavonása", "Cannot copy, please copy the link manually" : "A másolás sikertelen, másolja kézzel a hivatkozást", - "Copy internal link to clipboard" : "Belső hivatkozás másolása a vágólapra", - "Only works for people with access to this file" : "Csak azoknál működik, akiknek van hozzáférésük ehhez a fájlhoz", - "Link copied" : "Hivatkozás másolva", + "Copy internal link" : "Belső hivatkozás másolása", "Internal link" : "Belső hivatkozás", "{shareWith} by {initiator}" : "{shareWith}, {initiator} által", "Shared via link by {initiator}" : "{initiator} által hivatkozással megosztva", @@ -153,7 +151,6 @@ OC.L10N.register( "Share link ({index})" : "Megosztási hivatkozás ({index})", "Create public link" : "Nyilvános hivatkozás létrehozása", "Actions for \"{title}\"" : "A(z) „{title}” műveletei", - "Copy public link of \"{title}\" to clipboard" : "A(z) „{title}” nyilvános hivatkozás másolása a vágólapra", "Error, please enter proper password and/or expiration date" : "Hiba, írja be a megfelelő jelszót vagy lejárati dátumot", "Link share created" : "Megosztási hivatkozás létrehozása", "Error while creating the share" : "Hiba a megosztás létrehozása során", @@ -174,7 +171,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Név, e-mail-cím vagy föderált felhőazonosító…", "Searching …" : "Keresés…", "No elements found." : "Nem található elem.", - "Search globally" : "Globális keresés", + "Search everywhere" : "Keresés mindenhol", "Guest" : "Vendég", "Group" : "Csoport", "Email" : "E-mail", @@ -228,7 +225,7 @@ OC.L10N.register( "Shared" : "Megosztva", "Shared by {ownerDisplayName}" : "Megosztotta: {ownerDisplayName}", "Shared multiple times with different people" : "Többször megosztva különböző személyekkel", - "Show sharing options" : "Megosztási beállítások megjelenítése", + "Sharing options" : "Megosztási beállítások", "Shared with others" : "Megosztva másokkal", "Create file request" : "Fájlkérés létrehozása", "No file" : "Nincs fájl", @@ -284,9 +281,16 @@ OC.L10N.register( "Invalid server URL" : "Érvénytelen kiszolgáló URL", "Failed to add the public link to your Nextcloud" : "Nem sikerült hozzáadni a nyilvános hivatkozást a Nexcloudjához", "Download all files" : "Összes fájl letöltése", + "Link copied to clipboard" : "Hivatkozás a vágólapra másolva", + "Copy to clipboard" : "Másolás a vágólapra", + "Copy internal link to clipboard" : "Belső hivatkozás másolása a vágólapra", + "Only works for people with access to this file" : "Csak azoknál működik, akiknek van hozzáférésük ehhez a fájlhoz", + "Copy public link of \"{title}\" to clipboard" : "A(z) „{title}” nyilvános hivatkozás másolása a vágólapra", + "Search globally" : "Globális keresés", "Search for share recipients" : "Megosztás résztvevőinek keresése", "No recommendations. Start typing." : "Nincs javaslat. Kezdjen gépelni.", "Enter your name" : "Adja meg a nevét", + "Show sharing options" : "Megosztási beállítások megjelenítése", "Share note" : "Jegyzet megosztása", "Upload files to %s" : "Fájlok feltöltése ide: %s", "Note" : "Megjegyzés", diff --git a/apps/files_sharing/l10n/hu.json b/apps/files_sharing/l10n/hu.json index 0ff01109a3a..b503f4eea85 100644 --- a/apps/files_sharing/l10n/hu.json +++ b/apps/files_sharing/l10n/hu.json @@ -106,10 +106,10 @@ "Password" : "Jelszó", "Enter a valid password" : "Adjon meg érvényes jelszót", "Generate a new password" : "Új jelszó előállítása", - "Link copied to clipboard" : "Hivatkozás a vágólapra másolva", + "Link copied" : "Hivatkozás másolva", "Invalid email address" : "Érvénytelen e-mail-cím", "Share link" : "Megosztási hivatkozás", - "Copy to clipboard" : "Másolás a vágólapra", + "Copy" : "Másolás", "Send link via email" : "Hivatkozás küldése levélben", "Remove email" : "E-mail eltávolítása", "Select" : "Kiválasztás", @@ -140,9 +140,7 @@ "Via “{folder}”" : "A(z) „{folder}” mappán keretül", "Unshare" : "Megosztás visszavonása", "Cannot copy, please copy the link manually" : "A másolás sikertelen, másolja kézzel a hivatkozást", - "Copy internal link to clipboard" : "Belső hivatkozás másolása a vágólapra", - "Only works for people with access to this file" : "Csak azoknál működik, akiknek van hozzáférésük ehhez a fájlhoz", - "Link copied" : "Hivatkozás másolva", + "Copy internal link" : "Belső hivatkozás másolása", "Internal link" : "Belső hivatkozás", "{shareWith} by {initiator}" : "{shareWith}, {initiator} által", "Shared via link by {initiator}" : "{initiator} által hivatkozással megosztva", @@ -151,7 +149,6 @@ "Share link ({index})" : "Megosztási hivatkozás ({index})", "Create public link" : "Nyilvános hivatkozás létrehozása", "Actions for \"{title}\"" : "A(z) „{title}” műveletei", - "Copy public link of \"{title}\" to clipboard" : "A(z) „{title}” nyilvános hivatkozás másolása a vágólapra", "Error, please enter proper password and/or expiration date" : "Hiba, írja be a megfelelő jelszót vagy lejárati dátumot", "Link share created" : "Megosztási hivatkozás létrehozása", "Error while creating the share" : "Hiba a megosztás létrehozása során", @@ -172,7 +169,7 @@ "Name, email, or Federated Cloud ID …" : "Név, e-mail-cím vagy föderált felhőazonosító…", "Searching …" : "Keresés…", "No elements found." : "Nem található elem.", - "Search globally" : "Globális keresés", + "Search everywhere" : "Keresés mindenhol", "Guest" : "Vendég", "Group" : "Csoport", "Email" : "E-mail", @@ -226,7 +223,7 @@ "Shared" : "Megosztva", "Shared by {ownerDisplayName}" : "Megosztotta: {ownerDisplayName}", "Shared multiple times with different people" : "Többször megosztva különböző személyekkel", - "Show sharing options" : "Megosztási beállítások megjelenítése", + "Sharing options" : "Megosztási beállítások", "Shared with others" : "Megosztva másokkal", "Create file request" : "Fájlkérés létrehozása", "No file" : "Nincs fájl", @@ -282,9 +279,16 @@ "Invalid server URL" : "Érvénytelen kiszolgáló URL", "Failed to add the public link to your Nextcloud" : "Nem sikerült hozzáadni a nyilvános hivatkozást a Nexcloudjához", "Download all files" : "Összes fájl letöltése", + "Link copied to clipboard" : "Hivatkozás a vágólapra másolva", + "Copy to clipboard" : "Másolás a vágólapra", + "Copy internal link to clipboard" : "Belső hivatkozás másolása a vágólapra", + "Only works for people with access to this file" : "Csak azoknál működik, akiknek van hozzáférésük ehhez a fájlhoz", + "Copy public link of \"{title}\" to clipboard" : "A(z) „{title}” nyilvános hivatkozás másolása a vágólapra", + "Search globally" : "Globális keresés", "Search for share recipients" : "Megosztás résztvevőinek keresése", "No recommendations. Start typing." : "Nincs javaslat. Kezdjen gépelni.", "Enter your name" : "Adja meg a nevét", + "Show sharing options" : "Megosztási beállítások megjelenítése", "Share note" : "Jegyzet megosztása", "Upload files to %s" : "Fájlok feltöltése ide: %s", "Note" : "Megjegyzés", diff --git a/apps/files_sharing/l10n/is.js b/apps/files_sharing/l10n/is.js index 566bcb7a80f..940669c69e0 100644 --- a/apps/files_sharing/l10n/is.js +++ b/apps/files_sharing/l10n/is.js @@ -126,14 +126,14 @@ OC.L10N.register( "Enter a valid password" : "Settu inn gilt lykilorð", "Generate a new password" : "Útbúa nýtt lykilorð", "Your administrator has enforced a password protection." : "Kerfisstjórinn þinn hefur krafist verndunar með lykilorði.", - "Link copied to clipboard" : "Tengill afritaður á klippispjald", + "Link copied" : "Tengill afritaður", "Email already added" : "Tölvupóstfangi þegar bætt við", "Invalid email address" : "Ógilt tölvupóstfang", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Eftirfarandi tölvupóstfang er ógilt: {emails}","Eftirfarandi tölvupóstföng eru ógild: {emails}"], "_{count} email address already added_::_{count} email addresses already added_" : ["{count} tölvupóstfangi þegar bætt við","{count} tölvupóstföngum þegar bætt við"], "_{count} email address added_::_{count} email addresses added_" : ["{count} tölvupóstfangi bætt við","{count} tölvupóstföngum bætt við"], "Share link" : "Tengill á sameign", - "Copy to clipboard" : "Afrita á klippispjald", + "Copy" : "Afrita", "Send link via email" : "Senda tengil með tölvupósti", "Enter an email address or paste a list" : "Settu inn tölvupóstfang eða límdu inn lista", "Remove email" : "Fjarlægja tölvupóstfang", @@ -183,10 +183,7 @@ OC.L10N.register( "Via “{folder}”" : "Í gegnum “{folder}”", "Unshare" : "Hætta deilingu", "Cannot copy, please copy the link manually" : "Mistókst að afrita, afritaðu tengilinn handvirkt", - "Copy internal link to clipboard" : "Afrita innri tengil á klippispjald", - "Only works for people with access to this folder" : "Virkar bara fyrir fólk sem hefur aðgang að þessari möppu", - "Only works for people with access to this file" : "Virkar bara fyrir fólk sem hefur aðgang að þessari skrá", - "Link copied" : "Tengill afritaður", + "Copy internal link" : "Afrita innri tengil", "Internal link" : "Innri tengill", "{shareWith} by {initiator}" : "{shareWith} af {initiator}", "Shared via link by {initiator}" : "Deilt með tengli af {initiator}", @@ -197,7 +194,6 @@ OC.L10N.register( "Share link ({index})" : "Tengill á sameign ({index})", "Create public link" : "Búa til opinberan tengil", "Actions for \"{title}\"" : "Aðgerðir fyrir \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Afrita opinberan tengil \"{title}\" á klippispjald", "Error, please enter proper password and/or expiration date" : "Villa, settu inn alvöru lykilorð og/eða gildisdagsetningu", "Link share created" : "Sameign í gegnum tengil útbúin", "Error while creating the share" : "Villa kom upp við að búa til sameignina", @@ -222,7 +218,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Nafn, tölvupóstfang eða skýjasambandsauðkenni (Federated Cloud ID) …", "Searching …" : "Leita …", "No elements found." : "Engin stök fundust.", - "Search globally" : "Leita allstaðar", + "Search everywhere" : "Leita allsstaðar", "Guest" : "Gestur", "Group" : "Hópur", "Email" : "Tölvupóstur", @@ -238,7 +234,6 @@ OC.L10N.register( "By uploading files, you agree to the terms of service." : "Með því að senda inn skrár, samþykkir þú þjónustuskilmálana.", "View terms of service" : "Skoða þjónustuskilmála", "Terms of service" : "Þjónustuskilmálar", - "Share with {userName}" : "Deila með {userName}", "Share with email {email}" : "Deila í tölvupósti með {email}", "Share with group" : "Deila með hópi", "Share in conversation" : "Deila í samtali", @@ -280,7 +275,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Mistókst að sækja erfðar sameignir", "Link shares" : "Sameignartenglar", "Shares" : "Sameignir", - "Share with accounts and teams" : "Deila með notendaaðgöngum og teymum", "Unable to load the shares list" : "Mistókst aði hlaða inn lista yfir sameignir", "Expires {relativetime}" : "Rennur út {relativetime}", "this share just expired." : "Þessi sameign var að renna út.", @@ -299,7 +293,6 @@ OC.L10N.register( "Shared" : "Deilt", "Shared by {ownerDisplayName}" : "Deilt af {ownerDisplayName}", "Shared multiple times with different people" : "Deilt mörgum sinnum með mismunandi fólki", - "Show sharing options" : "Birta valkostir deilingar", "Shared with others" : "Deilt með öðrum", "Create file request" : "Útbúa beiðni um skrá", "Upload files to {foldername}" : "Senda skrár inn í {foldername}", @@ -374,13 +367,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Mistókst að bæta opinberum tengli í þitt eigið Nextcloud", "You are not allowed to edit link shares that you don't own" : "Þú hefur ekki heimild til að breyta tenglum á sameignir sem þú átt ekki.", "Download all files" : "Sækja allar skrár", + "Link copied to clipboard" : "Tengill afritaður á klippispjald", "_1 email address already added_::_{count} email addresses already added_" : ["1 tölvupóstfangi þegar bætt við","{count} tölvupóstföngum þegar bætt við"], "_1 email address added_::_{count} email addresses added_" : ["1 tölvupóstfangi bætt við","{count} tölvupóstföngum bætt við"], + "Copy to clipboard" : "Afrita á klippispjald", + "Copy internal link to clipboard" : "Afrita innri tengil á klippispjald", + "Only works for people with access to this folder" : "Virkar bara fyrir fólk sem hefur aðgang að þessari möppu", + "Only works for people with access to this file" : "Virkar bara fyrir fólk sem hefur aðgang að þessari skrá", + "Copy public link of \"{title}\" to clipboard" : "Afrita opinberan tengil \"{title}\" á klippispjald", + "Search globally" : "Leita allstaðar", "Search for share recipients" : "Leita að viðtakendum sameignar", "No recommendations. Start typing." : "Engar tillögur. Byrjaðu að skrifa.", "To upload files, you need to provide your name first." : "Til að senda inn skrár þarftu fyrst að gefa upp nafnið þitt.", "Enter your name" : "Settu inn nafnið þitt", "Submit name" : "Nafn við innsendingu", + "Share with {userName}" : "Deila með {userName}", + "Show sharing options" : "Birta valkostir deilingar", "Share note" : "Deila minnispunkti", "Upload files to %s" : "Senda inn skrár á %s", "%s shared a folder with you." : "%s deildi möppu með þér.", @@ -390,6 +392,7 @@ OC.L10N.register( "Uploaded files:" : "Innsendar skrár:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Með því að senda inn skrár, samþykkir þú %1$sþjónustuskilmálana%2$s.", "Name" : "Heiti", + "Share with accounts and teams" : "Deila með notendaaðgöngum og teymum", "Email, federated cloud id" : "Tölvupóstfang, skýjasambandsauðkenni (Federated Cloud ID)", "Filename must not be empty." : "Skráarheiti má ekki vera tómt." }, diff --git a/apps/files_sharing/l10n/is.json b/apps/files_sharing/l10n/is.json index 05bf02285f7..4746ce966ce 100644 --- a/apps/files_sharing/l10n/is.json +++ b/apps/files_sharing/l10n/is.json @@ -124,14 +124,14 @@ "Enter a valid password" : "Settu inn gilt lykilorð", "Generate a new password" : "Útbúa nýtt lykilorð", "Your administrator has enforced a password protection." : "Kerfisstjórinn þinn hefur krafist verndunar með lykilorði.", - "Link copied to clipboard" : "Tengill afritaður á klippispjald", + "Link copied" : "Tengill afritaður", "Email already added" : "Tölvupóstfangi þegar bætt við", "Invalid email address" : "Ógilt tölvupóstfang", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Eftirfarandi tölvupóstfang er ógilt: {emails}","Eftirfarandi tölvupóstföng eru ógild: {emails}"], "_{count} email address already added_::_{count} email addresses already added_" : ["{count} tölvupóstfangi þegar bætt við","{count} tölvupóstföngum þegar bætt við"], "_{count} email address added_::_{count} email addresses added_" : ["{count} tölvupóstfangi bætt við","{count} tölvupóstföngum bætt við"], "Share link" : "Tengill á sameign", - "Copy to clipboard" : "Afrita á klippispjald", + "Copy" : "Afrita", "Send link via email" : "Senda tengil með tölvupósti", "Enter an email address or paste a list" : "Settu inn tölvupóstfang eða límdu inn lista", "Remove email" : "Fjarlægja tölvupóstfang", @@ -181,10 +181,7 @@ "Via “{folder}”" : "Í gegnum “{folder}”", "Unshare" : "Hætta deilingu", "Cannot copy, please copy the link manually" : "Mistókst að afrita, afritaðu tengilinn handvirkt", - "Copy internal link to clipboard" : "Afrita innri tengil á klippispjald", - "Only works for people with access to this folder" : "Virkar bara fyrir fólk sem hefur aðgang að þessari möppu", - "Only works for people with access to this file" : "Virkar bara fyrir fólk sem hefur aðgang að þessari skrá", - "Link copied" : "Tengill afritaður", + "Copy internal link" : "Afrita innri tengil", "Internal link" : "Innri tengill", "{shareWith} by {initiator}" : "{shareWith} af {initiator}", "Shared via link by {initiator}" : "Deilt með tengli af {initiator}", @@ -195,7 +192,6 @@ "Share link ({index})" : "Tengill á sameign ({index})", "Create public link" : "Búa til opinberan tengil", "Actions for \"{title}\"" : "Aðgerðir fyrir \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Afrita opinberan tengil \"{title}\" á klippispjald", "Error, please enter proper password and/or expiration date" : "Villa, settu inn alvöru lykilorð og/eða gildisdagsetningu", "Link share created" : "Sameign í gegnum tengil útbúin", "Error while creating the share" : "Villa kom upp við að búa til sameignina", @@ -220,7 +216,7 @@ "Name, email, or Federated Cloud ID …" : "Nafn, tölvupóstfang eða skýjasambandsauðkenni (Federated Cloud ID) …", "Searching …" : "Leita …", "No elements found." : "Engin stök fundust.", - "Search globally" : "Leita allstaðar", + "Search everywhere" : "Leita allsstaðar", "Guest" : "Gestur", "Group" : "Hópur", "Email" : "Tölvupóstur", @@ -236,7 +232,6 @@ "By uploading files, you agree to the terms of service." : "Með því að senda inn skrár, samþykkir þú þjónustuskilmálana.", "View terms of service" : "Skoða þjónustuskilmála", "Terms of service" : "Þjónustuskilmálar", - "Share with {userName}" : "Deila með {userName}", "Share with email {email}" : "Deila í tölvupósti með {email}", "Share with group" : "Deila með hópi", "Share in conversation" : "Deila í samtali", @@ -278,7 +273,6 @@ "Unable to fetch inherited shares" : "Mistókst að sækja erfðar sameignir", "Link shares" : "Sameignartenglar", "Shares" : "Sameignir", - "Share with accounts and teams" : "Deila með notendaaðgöngum og teymum", "Unable to load the shares list" : "Mistókst aði hlaða inn lista yfir sameignir", "Expires {relativetime}" : "Rennur út {relativetime}", "this share just expired." : "Þessi sameign var að renna út.", @@ -297,7 +291,6 @@ "Shared" : "Deilt", "Shared by {ownerDisplayName}" : "Deilt af {ownerDisplayName}", "Shared multiple times with different people" : "Deilt mörgum sinnum með mismunandi fólki", - "Show sharing options" : "Birta valkostir deilingar", "Shared with others" : "Deilt með öðrum", "Create file request" : "Útbúa beiðni um skrá", "Upload files to {foldername}" : "Senda skrár inn í {foldername}", @@ -372,13 +365,22 @@ "Failed to add the public link to your Nextcloud" : "Mistókst að bæta opinberum tengli í þitt eigið Nextcloud", "You are not allowed to edit link shares that you don't own" : "Þú hefur ekki heimild til að breyta tenglum á sameignir sem þú átt ekki.", "Download all files" : "Sækja allar skrár", + "Link copied to clipboard" : "Tengill afritaður á klippispjald", "_1 email address already added_::_{count} email addresses already added_" : ["1 tölvupóstfangi þegar bætt við","{count} tölvupóstföngum þegar bætt við"], "_1 email address added_::_{count} email addresses added_" : ["1 tölvupóstfangi bætt við","{count} tölvupóstföngum bætt við"], + "Copy to clipboard" : "Afrita á klippispjald", + "Copy internal link to clipboard" : "Afrita innri tengil á klippispjald", + "Only works for people with access to this folder" : "Virkar bara fyrir fólk sem hefur aðgang að þessari möppu", + "Only works for people with access to this file" : "Virkar bara fyrir fólk sem hefur aðgang að þessari skrá", + "Copy public link of \"{title}\" to clipboard" : "Afrita opinberan tengil \"{title}\" á klippispjald", + "Search globally" : "Leita allstaðar", "Search for share recipients" : "Leita að viðtakendum sameignar", "No recommendations. Start typing." : "Engar tillögur. Byrjaðu að skrifa.", "To upload files, you need to provide your name first." : "Til að senda inn skrár þarftu fyrst að gefa upp nafnið þitt.", "Enter your name" : "Settu inn nafnið þitt", "Submit name" : "Nafn við innsendingu", + "Share with {userName}" : "Deila með {userName}", + "Show sharing options" : "Birta valkostir deilingar", "Share note" : "Deila minnispunkti", "Upload files to %s" : "Senda inn skrár á %s", "%s shared a folder with you." : "%s deildi möppu með þér.", @@ -388,6 +390,7 @@ "Uploaded files:" : "Innsendar skrár:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Með því að senda inn skrár, samþykkir þú %1$sþjónustuskilmálana%2$s.", "Name" : "Heiti", + "Share with accounts and teams" : "Deila með notendaaðgöngum og teymum", "Email, federated cloud id" : "Tölvupóstfang, skýjasambandsauðkenni (Federated Cloud ID)", "Filename must not be empty." : "Skráarheiti má ekki vera tómt." },"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);" diff --git a/apps/files_sharing/l10n/it.js b/apps/files_sharing/l10n/it.js index abf348adbf5..f10bd3a4e8e 100644 --- a/apps/files_sharing/l10n/it.js +++ b/apps/files_sharing/l10n/it.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Genera una password nuova", "Your administrator has enforced a password protection." : "Il tuo amministratore ha imposto una protezione con password.", "Automatically copying failed, please copy the share link manually" : "Copia automatica fallita, copia il collegamento di condivisione a mano", - "Link copied to clipboard" : "Collegamento copiato negli appunti", + "Link copied" : "Collegamento copiato", "Email already added" : "Indirizzo di posta già aggiunto", "Invalid email address" : "Indirizzo di posta non valido", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["L'indirizzo di posta seguente non è valido: {emails}","Gli indirizzi di posta seguenti non sono validi: {emails}","Gli indirizzi di posta seguenti non sono validi: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count} indirizzo email aggiunto","{count} indirizzi email già aggiunti","{count} indirizzi email già aggiunti"], "You can now share the link below to allow people to upload files to your directory." : "Puoi ora condividere il collegamento sotto per consentire alle persone di caricare file nella tua cartella.", "Share link" : "Condividi collegamento", - "Copy to clipboard" : "Copia negli appunti", + "Copy" : "Copia", "Send link via email" : "Invia collegamento tramite email", "Enter an email address or paste a list" : "Inserisci un indirizzo di posta o incolla una lista", "Remove email" : "Rimuovi email", @@ -201,10 +201,8 @@ OC.L10N.register( "Via “{folder}”" : "Tramite “{folder}”", "Unshare" : "Rimuovi condivisione", "Cannot copy, please copy the link manually" : "Impossibile copiare, copia il collegamento manualmente", - "Copy internal link to clipboard" : "Copia il collegamento interno negli appunti", - "Only works for people with access to this folder" : "Funziona solo per le persone con accesso a questa cartella", - "Only works for people with access to this file" : "Funziona solo per le persone con accesso a questo file", - "Link copied" : "Collegamento copiato", + "Copy internal link" : "Copia collegamento interno", + "For people who already have access" : "Per le persone che hanno già accesso", "Internal link" : "Collegamento interno", "{shareWith} by {initiator}" : "{shareWith} da {initiator}", "Shared via link by {initiator}" : "Condiviso tramite collegamento da {initiator}", @@ -215,7 +213,7 @@ OC.L10N.register( "Share link ({index})" : "Condividi collegamento ({index})", "Create public link" : "Crea collegamento pubblico", "Actions for \"{title}\"" : "Azioni per \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Copia il collegamento pubblico di \"{title}\" negli appunti", + "Copy public link of \"{title}\"" : "Copia il link pubblico di \"{title}\"", "Error, please enter proper password and/or expiration date" : "Errore, digita la password corretta e/o la data di scadenza", "Link share created" : "Collegamento alla condivisione creato ", "Error while creating the share" : "Errore durante la creazione della condivisione", @@ -241,7 +239,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Nome, email o ID di cloud federata...", "Searching …" : "Ricerca in corso...", "No elements found." : "Nessun elemento trovato.", - "Search globally" : "Cerca globalmente", + "Search everywhere" : "Cerca ovunque", "Guest" : "Ospite", "Group" : "Gruppo", "Email" : "Posta elettronica", @@ -260,7 +258,7 @@ OC.L10N.register( "Successfully uploaded files" : "File caricati correttamente", "View terms of service" : "Visualizza i termini del servizio", "Terms of service" : "Termini del servizio", - "Share with {userName}" : "Condividi con {userName}", + "Share with {user}" : "Condividi con {user}", "Share with email {email}" : "Condividi con l'email {email}", "Share with group" : "Condividi con gruppo", "Share in conversation" : "Condividi nella conversazione", @@ -305,13 +303,14 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Impossibile recuperare le condivisioni ereditate", "Link shares" : "Condivisioni dei link", "Shares" : "Condivisioni", - "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." : "Utilizza questo metodo per condividere file con singoli o team all'interno della tua organizzazione. Se il destinatario ha già accesso alla condivisione ma non riesce a individuarla, puoi inviargli il link di condivisione interno per un facile accesso.", - "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." : "Utilizza questo metodo per condividere file con individui o organizzazioni esterne alla tua organizzazione. File e cartelle possono essere condivisi tramite link di condivisione pubblici e indirizzi e-mail. Puoi anche condividere con altri account Nextcloud ospitati su istanze diverse utilizzando il loro ID cloud federato.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Condivisioni che non fanno parte delle condivisioni interne o esterne. Possono essere condivisioni da app o altre fonti.", - "Share with accounts, teams, federated cloud IDs" : "Condividi con account, team, ID cloud federati", - "Share with accounts and teams" : "Condividi con account e team", - "Federated cloud ID" : "ID cloud federato", - "Email, federated cloud ID" : "E-mail, ID cloud federato", + "Share files within your organization. Recipients who can already view the file can also use this link for easy access." : "Condividi i file all'interno della tua organizzazione. Anche i destinatari che possono già visualizzare il file possono utilizzare questo link per accedervi facilmente.", + "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID." : "Condividi file con altri utenti esterni alla tua organizzazione tramite link pubblici e indirizzi email. Puoi anche condividere file con account Nextcloud su altre istanze utilizzando il loro ID cloud federato.", + "Shares from apps or other sources which are not included in internal or external shares." : "Condivisioni da app o altre fonti non incluse nelle condivisioni interne o esterne.", + "Type names, teams, federated cloud IDs" : "Digita nomi, team, ID cloud federati", + "Type names or teams" : "Digita nomi o team", + "Type a federated cloud ID" : "Digita un ID cloud federato", + "Type an email" : "Digita un'email", + "Type an email or federated cloud ID" : "Digita un indirizzo email o un ID cloud federato", "Unable to load the shares list" : "Impossibile caricare l'elenco delle condivisioni", "Expires {relativetime}" : "Scade il {relativetime}", "this share just expired." : "questa condivisione è appena scaduta.", @@ -330,7 +329,7 @@ OC.L10N.register( "Shared" : "Condiviso", "Shared by {ownerDisplayName}" : "Condiviso da {ownerDisplayName}", "Shared multiple times with different people" : "Condiviso più volte con diverse persone", - "Show sharing options" : "Mostra le opzioni di condivisione", + "Sharing options" : "Opzioni di condivisione", "Shared with others" : "Condivisi con altri", "Create file request" : "Crea richiesta di file", "Upload files to {foldername}" : "Carica i file su {foldername}", @@ -368,6 +367,7 @@ OC.L10N.register( "List of unapproved shares." : "Lista di condivisioni non approvate.", "No pending shares" : "Nessuna condivisione in corso", "Shares you have received but not approved will show up here" : "Le condivisioni che hai ricevuto, ma non approvato saranno mostrate qui", + "Error deleting the share: {errorMessage}" : "Errore durante l'eliminazione della condivisione: {errorMessage}", "Error deleting the share" : "Errore durante l'eliminazione della condivisione", "Error updating the share: {errorMessage}" : "Errore durante l'aggiornamento della condivisione: {errorMessage}", "Error updating the share" : "Errore durante l'aggiornamento della condivisione", @@ -416,13 +416,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Aggiunta del collegamento pubblico al tuo Nextcloud non riuscita", "You are not allowed to edit link shares that you don't own" : "Non ti è consentito modificare le condivisioni di collegamenti che non ti appartengono", "Download all files" : "Scarica tutti i file", + "Link copied to clipboard" : "Collegamento copiato negli appunti", "_1 email address already added_::_{count} email addresses already added_" : ["1 indirizzo di posta già aggiunto","{count} indirizzi di posta già aggiunti","{count} indirizzi di posta già aggiunti"], "_1 email address added_::_{count} email addresses added_" : ["1 indirizzo di posta aggiunto","{count} indirizzi di posta aggiunti","{count} indirizzi di posta aggiunti"], + "Copy to clipboard" : "Copia negli appunti", + "Copy internal link to clipboard" : "Copia il collegamento interno negli appunti", + "Only works for people with access to this folder" : "Funziona solo per le persone con accesso a questa cartella", + "Only works for people with access to this file" : "Funziona solo per le persone con accesso a questo file", + "Copy public link of \"{title}\" to clipboard" : "Copia il collegamento pubblico di \"{title}\" negli appunti", + "Search globally" : "Cerca globalmente", "Search for share recipients" : "Cerca i destinatari della condivisione", "No recommendations. Start typing." : "Nessun consiglio. Inizia a digitare.", "To upload files, you need to provide your name first." : "Per caricare file, devi prima fornire il tuo nome.", "Enter your name" : "Digita il tuo nome", "Submit name" : "Fornisci il nome", + "Share with {userName}" : "Condividi con {userName}", + "Show sharing options" : "Mostra le opzioni di condivisione", "Share note" : "Condividi nota", "Upload files to %s" : "Carica file su %s", "%s shared a folder with you." : "%s ha condiviso una cartella con te.", @@ -432,7 +441,12 @@ OC.L10N.register( "Uploaded files:" : "File caricati:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Caricando i file, accetti i %1$stermini del servizio%2$s.", "Name" : "Nome", + "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." : "Utilizza questo metodo per condividere file con singoli o team all'interno della tua organizzazione. Se il destinatario ha già accesso alla condivisione ma non riesce a individuarla, puoi inviargli il link di condivisione interno per un facile accesso.", + "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." : "Utilizza questo metodo per condividere file con individui o organizzazioni esterne alla tua organizzazione. File e cartelle possono essere condivisi tramite link di condivisione pubblici e indirizzi e-mail. Puoi anche condividere con altri account Nextcloud ospitati su istanze diverse utilizzando il loro ID cloud federato.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Condivisioni che non fanno parte delle condivisioni interne o esterne. Possono essere condivisioni da app o altre fonti.", "Share with accounts, teams, federated cloud id" : "Condividi con account, team, ID cloud federati", + "Share with accounts and teams" : "Condividi con account e team", + "Federated cloud ID" : "ID cloud federato", "Email, federated cloud id" : "E-mail, ID cloud federato", "Filename must not be empty." : "Il nome del file non può essere vuoto." }, diff --git a/apps/files_sharing/l10n/it.json b/apps/files_sharing/l10n/it.json index c70a92ab32e..a4086431a3b 100644 --- a/apps/files_sharing/l10n/it.json +++ b/apps/files_sharing/l10n/it.json @@ -132,7 +132,7 @@ "Generate a new password" : "Genera una password nuova", "Your administrator has enforced a password protection." : "Il tuo amministratore ha imposto una protezione con password.", "Automatically copying failed, please copy the share link manually" : "Copia automatica fallita, copia il collegamento di condivisione a mano", - "Link copied to clipboard" : "Collegamento copiato negli appunti", + "Link copied" : "Collegamento copiato", "Email already added" : "Indirizzo di posta già aggiunto", "Invalid email address" : "Indirizzo di posta non valido", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["L'indirizzo di posta seguente non è valido: {emails}","Gli indirizzi di posta seguenti non sono validi: {emails}","Gli indirizzi di posta seguenti non sono validi: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count} indirizzo email aggiunto","{count} indirizzi email già aggiunti","{count} indirizzi email già aggiunti"], "You can now share the link below to allow people to upload files to your directory." : "Puoi ora condividere il collegamento sotto per consentire alle persone di caricare file nella tua cartella.", "Share link" : "Condividi collegamento", - "Copy to clipboard" : "Copia negli appunti", + "Copy" : "Copia", "Send link via email" : "Invia collegamento tramite email", "Enter an email address or paste a list" : "Inserisci un indirizzo di posta o incolla una lista", "Remove email" : "Rimuovi email", @@ -199,10 +199,8 @@ "Via “{folder}”" : "Tramite “{folder}”", "Unshare" : "Rimuovi condivisione", "Cannot copy, please copy the link manually" : "Impossibile copiare, copia il collegamento manualmente", - "Copy internal link to clipboard" : "Copia il collegamento interno negli appunti", - "Only works for people with access to this folder" : "Funziona solo per le persone con accesso a questa cartella", - "Only works for people with access to this file" : "Funziona solo per le persone con accesso a questo file", - "Link copied" : "Collegamento copiato", + "Copy internal link" : "Copia collegamento interno", + "For people who already have access" : "Per le persone che hanno già accesso", "Internal link" : "Collegamento interno", "{shareWith} by {initiator}" : "{shareWith} da {initiator}", "Shared via link by {initiator}" : "Condiviso tramite collegamento da {initiator}", @@ -213,7 +211,7 @@ "Share link ({index})" : "Condividi collegamento ({index})", "Create public link" : "Crea collegamento pubblico", "Actions for \"{title}\"" : "Azioni per \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Copia il collegamento pubblico di \"{title}\" negli appunti", + "Copy public link of \"{title}\"" : "Copia il link pubblico di \"{title}\"", "Error, please enter proper password and/or expiration date" : "Errore, digita la password corretta e/o la data di scadenza", "Link share created" : "Collegamento alla condivisione creato ", "Error while creating the share" : "Errore durante la creazione della condivisione", @@ -239,7 +237,7 @@ "Name, email, or Federated Cloud ID …" : "Nome, email o ID di cloud federata...", "Searching …" : "Ricerca in corso...", "No elements found." : "Nessun elemento trovato.", - "Search globally" : "Cerca globalmente", + "Search everywhere" : "Cerca ovunque", "Guest" : "Ospite", "Group" : "Gruppo", "Email" : "Posta elettronica", @@ -258,7 +256,7 @@ "Successfully uploaded files" : "File caricati correttamente", "View terms of service" : "Visualizza i termini del servizio", "Terms of service" : "Termini del servizio", - "Share with {userName}" : "Condividi con {userName}", + "Share with {user}" : "Condividi con {user}", "Share with email {email}" : "Condividi con l'email {email}", "Share with group" : "Condividi con gruppo", "Share in conversation" : "Condividi nella conversazione", @@ -303,13 +301,14 @@ "Unable to fetch inherited shares" : "Impossibile recuperare le condivisioni ereditate", "Link shares" : "Condivisioni dei link", "Shares" : "Condivisioni", - "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." : "Utilizza questo metodo per condividere file con singoli o team all'interno della tua organizzazione. Se il destinatario ha già accesso alla condivisione ma non riesce a individuarla, puoi inviargli il link di condivisione interno per un facile accesso.", - "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." : "Utilizza questo metodo per condividere file con individui o organizzazioni esterne alla tua organizzazione. File e cartelle possono essere condivisi tramite link di condivisione pubblici e indirizzi e-mail. Puoi anche condividere con altri account Nextcloud ospitati su istanze diverse utilizzando il loro ID cloud federato.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Condivisioni che non fanno parte delle condivisioni interne o esterne. Possono essere condivisioni da app o altre fonti.", - "Share with accounts, teams, federated cloud IDs" : "Condividi con account, team, ID cloud federati", - "Share with accounts and teams" : "Condividi con account e team", - "Federated cloud ID" : "ID cloud federato", - "Email, federated cloud ID" : "E-mail, ID cloud federato", + "Share files within your organization. Recipients who can already view the file can also use this link for easy access." : "Condividi i file all'interno della tua organizzazione. Anche i destinatari che possono già visualizzare il file possono utilizzare questo link per accedervi facilmente.", + "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID." : "Condividi file con altri utenti esterni alla tua organizzazione tramite link pubblici e indirizzi email. Puoi anche condividere file con account Nextcloud su altre istanze utilizzando il loro ID cloud federato.", + "Shares from apps or other sources which are not included in internal or external shares." : "Condivisioni da app o altre fonti non incluse nelle condivisioni interne o esterne.", + "Type names, teams, federated cloud IDs" : "Digita nomi, team, ID cloud federati", + "Type names or teams" : "Digita nomi o team", + "Type a federated cloud ID" : "Digita un ID cloud federato", + "Type an email" : "Digita un'email", + "Type an email or federated cloud ID" : "Digita un indirizzo email o un ID cloud federato", "Unable to load the shares list" : "Impossibile caricare l'elenco delle condivisioni", "Expires {relativetime}" : "Scade il {relativetime}", "this share just expired." : "questa condivisione è appena scaduta.", @@ -328,7 +327,7 @@ "Shared" : "Condiviso", "Shared by {ownerDisplayName}" : "Condiviso da {ownerDisplayName}", "Shared multiple times with different people" : "Condiviso più volte con diverse persone", - "Show sharing options" : "Mostra le opzioni di condivisione", + "Sharing options" : "Opzioni di condivisione", "Shared with others" : "Condivisi con altri", "Create file request" : "Crea richiesta di file", "Upload files to {foldername}" : "Carica i file su {foldername}", @@ -366,6 +365,7 @@ "List of unapproved shares." : "Lista di condivisioni non approvate.", "No pending shares" : "Nessuna condivisione in corso", "Shares you have received but not approved will show up here" : "Le condivisioni che hai ricevuto, ma non approvato saranno mostrate qui", + "Error deleting the share: {errorMessage}" : "Errore durante l'eliminazione della condivisione: {errorMessage}", "Error deleting the share" : "Errore durante l'eliminazione della condivisione", "Error updating the share: {errorMessage}" : "Errore durante l'aggiornamento della condivisione: {errorMessage}", "Error updating the share" : "Errore durante l'aggiornamento della condivisione", @@ -414,13 +414,22 @@ "Failed to add the public link to your Nextcloud" : "Aggiunta del collegamento pubblico al tuo Nextcloud non riuscita", "You are not allowed to edit link shares that you don't own" : "Non ti è consentito modificare le condivisioni di collegamenti che non ti appartengono", "Download all files" : "Scarica tutti i file", + "Link copied to clipboard" : "Collegamento copiato negli appunti", "_1 email address already added_::_{count} email addresses already added_" : ["1 indirizzo di posta già aggiunto","{count} indirizzi di posta già aggiunti","{count} indirizzi di posta già aggiunti"], "_1 email address added_::_{count} email addresses added_" : ["1 indirizzo di posta aggiunto","{count} indirizzi di posta aggiunti","{count} indirizzi di posta aggiunti"], + "Copy to clipboard" : "Copia negli appunti", + "Copy internal link to clipboard" : "Copia il collegamento interno negli appunti", + "Only works for people with access to this folder" : "Funziona solo per le persone con accesso a questa cartella", + "Only works for people with access to this file" : "Funziona solo per le persone con accesso a questo file", + "Copy public link of \"{title}\" to clipboard" : "Copia il collegamento pubblico di \"{title}\" negli appunti", + "Search globally" : "Cerca globalmente", "Search for share recipients" : "Cerca i destinatari della condivisione", "No recommendations. Start typing." : "Nessun consiglio. Inizia a digitare.", "To upload files, you need to provide your name first." : "Per caricare file, devi prima fornire il tuo nome.", "Enter your name" : "Digita il tuo nome", "Submit name" : "Fornisci il nome", + "Share with {userName}" : "Condividi con {userName}", + "Show sharing options" : "Mostra le opzioni di condivisione", "Share note" : "Condividi nota", "Upload files to %s" : "Carica file su %s", "%s shared a folder with you." : "%s ha condiviso una cartella con te.", @@ -430,7 +439,12 @@ "Uploaded files:" : "File caricati:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Caricando i file, accetti i %1$stermini del servizio%2$s.", "Name" : "Nome", + "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." : "Utilizza questo metodo per condividere file con singoli o team all'interno della tua organizzazione. Se il destinatario ha già accesso alla condivisione ma non riesce a individuarla, puoi inviargli il link di condivisione interno per un facile accesso.", + "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." : "Utilizza questo metodo per condividere file con individui o organizzazioni esterne alla tua organizzazione. File e cartelle possono essere condivisi tramite link di condivisione pubblici e indirizzi e-mail. Puoi anche condividere con altri account Nextcloud ospitati su istanze diverse utilizzando il loro ID cloud federato.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Condivisioni che non fanno parte delle condivisioni interne o esterne. Possono essere condivisioni da app o altre fonti.", "Share with accounts, teams, federated cloud id" : "Condividi con account, team, ID cloud federati", + "Share with accounts and teams" : "Condividi con account e team", + "Federated cloud ID" : "ID cloud federato", "Email, federated cloud id" : "E-mail, ID cloud federato", "Filename must not be empty." : "Il nome del file non può essere vuoto." },"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" diff --git a/apps/files_sharing/l10n/ja.js b/apps/files_sharing/l10n/ja.js index 59b8dff248e..43da421fc62 100644 --- a/apps/files_sharing/l10n/ja.js +++ b/apps/files_sharing/l10n/ja.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "新しいパスワードを生成", "Your administrator has enforced a password protection." : "管理者はパスワードによる保護を行っています。", "Automatically copying failed, please copy the share link manually" : "自動コピーに失敗しました。手動で共有リンクをコピーしてください", - "Link copied to clipboard" : "クリップボードにリンクをコピーしました", + "Link copied" : "リンクをコピーしました", "Email already added" : "メールはすでに追加されています", "Invalid email address" : "無効なメールアドレス", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["以下のメールアドレスは無効です: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count} メールアドレスが追加されました"], "You can now share the link below to allow people to upload files to your directory." : "以下のリンクを共有することであなたのディレクトリにファイルをアップロードできるようになります。", "Share link" : "URLで共有", - "Copy to clipboard" : "クリップボードにコピー", + "Copy" : "コピー", "Send link via email" : "メールでリンクを送信", "Enter an email address or paste a list" : "メールアドレスを入力するか、リストを貼り付ける", "Remove email" : "メールを削除", @@ -201,10 +201,7 @@ OC.L10N.register( "Via “{folder}”" : "“{folder}” 経由", "Unshare" : "共有を解除", "Cannot copy, please copy the link manually" : "コピーできませんでした。手動でリンクをコピーしてください。", - "Copy internal link to clipboard" : "内部リンクをクリップボードにコピー", - "Only works for people with access to this folder" : "このフォルダにアクセスできる人にのみ機能します", - "Only works for people with access to this file" : "このファイルへのアクセスできる人にのみ機能します", - "Link copied" : "リンクをコピーしました", + "Copy internal link" : "内部リンクをコピー", "Internal link" : "内部リンク", "{shareWith} by {initiator}" : "{initiator} により {shareWith}", "Shared via link by {initiator}" : "{initiator}がリンクで共有", @@ -215,7 +212,6 @@ OC.L10N.register( "Share link ({index})" : "リンク共有 ({index})", "Create public link" : "公開リンクを作成", "Actions for \"{title}\"" : "\"{title}\"のアクション", - "Copy public link of \"{title}\" to clipboard" : "\"{title}\" の公開リンクをクリップボードにコピー", "Error, please enter proper password and/or expiration date" : "エラー、正しいパスワードおよび/または有効期限を入力してください", "Link share created" : "リンク共有が作成されました", "Error while creating the share" : "共有作成時にエラーが発生しました", @@ -241,7 +237,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "名前、メールアドレス、またはクラウド連携ID…", "Searching …" : "検索しています…", "No elements found." : "要素が見つかりませんでした。", - "Search globally" : "グローバルに検索", + "Search everywhere" : "あらゆる場所を検索", "Guest" : "ゲスト", "Group" : "グループ", "Email" : "メール", @@ -260,7 +256,6 @@ OC.L10N.register( "Successfully uploaded files" : "ファイルのアップロードに成功しました", "View terms of service" : "利用規約を見る", "Terms of service" : "サービス利用規約", - "Share with {userName}" : "{userName} と共有", "Share with email {email}" : "{email} とメールで共有", "Share with group" : "グループと共有する", "Share in conversation" : "会話で共有する", @@ -305,13 +300,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "継承された共有を取得できません", "Link shares" : "リンク共有", "Shares" : "共有", - "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." : "組織内の個人またはチームとファイルを共有するには、この方法を使用します。受信者がすでに共有にアクセスできるが、その場所を見つけられない場合は、簡単にアクセスできるように内部共有リンクを送信できます。", - "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." : "組織外の個人や組織とファイルを共有するには、この方法を使用します。ファイルやフォルダは、パブリック共有リンクやメールアドレスで共有できます。また、連携クラウドIDを使用して、異なるインスタンスにホストされている他のNextcloudアカウントと共有することもできます。", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "内部または外部共有に含まれない共有。これはアプリや他のソースからの共有になります。", - "Share with accounts, teams, federated cloud IDs" : "アカウント、チーム、連携クラウドIDとの共有", - "Share with accounts and teams" : "アカウントとチームで共有", - "Federated cloud ID" : "クラウド共有ID", - "Email, federated cloud ID" : "電子メール、連携クラウドID", "Unable to load the shares list" : "共有リストを読み込めません", "Expires {relativetime}" : "有効期限 {relativetime}", "this share just expired." : "この共有は期限切れになりました。", @@ -330,7 +318,6 @@ OC.L10N.register( "Shared" : "共有中", "Shared by {ownerDisplayName}" : "{ownerDisplayName} が共有済み", "Shared multiple times with different people" : "異なる人と複数回共有", - "Show sharing options" : "共有オプションを表示", "Shared with others" : "他ユーザーと共有中", "Create file request" : "ファイルリクエストを作成", "Upload files to {foldername}" : "{foldername}にファイルをアップロード", @@ -417,13 +404,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "このNextcloudに公開リンクを追加できませんでした", "You are not allowed to edit link shares that you don't own" : "あなたが所有していない共有リンクを編集することは許可されていません", "Download all files" : "すべてのファイルをダウンロード", + "Link copied to clipboard" : "クリップボードにリンクをコピーしました", "_1 email address already added_::_{count} email addresses already added_" : ["{count} メールアドレスはすでに追加されています"], "_1 email address added_::_{count} email addresses added_" : ["{count} メールアドレスが追加されました"], + "Copy to clipboard" : "クリップボードにコピー", + "Copy internal link to clipboard" : "内部リンクをクリップボードにコピー", + "Only works for people with access to this folder" : "このフォルダにアクセスできる人にのみ機能します", + "Only works for people with access to this file" : "このファイルへのアクセスできる人にのみ機能します", + "Copy public link of \"{title}\" to clipboard" : "\"{title}\" の公開リンクをクリップボードにコピー", + "Search globally" : "グローバルに検索", "Search for share recipients" : "共有の受信者を検索", "No recommendations. Start typing." : "推奨事項はありません。 入力を開始します。", "To upload files, you need to provide your name first." : "ファイルをアップロードするには、最初に名前を入力する必要があります。", "Enter your name" : "あなたの名前を入力", "Submit name" : "名前を送信", + "Share with {userName}" : "{userName} と共有", + "Show sharing options" : "共有オプションを表示", "Share note" : "共有ノート", "Upload files to %s" : "%s にファイルをアップロード", "%s shared a folder with you." : "%sはあなたとフォルダーを共有しました。", @@ -433,7 +429,12 @@ OC.L10N.register( "Uploaded files:" : "アップロード済ファイル:", "By uploading files, you agree to the %1$sterms of service%2$s." : "ファイルをアップロードすると、%1$s のサービス条件 %2$s に同意したことになります。", "Name" : "名前", + "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." : "組織内の個人またはチームとファイルを共有するには、この方法を使用します。受信者がすでに共有にアクセスできるが、その場所を見つけられない場合は、簡単にアクセスできるように内部共有リンクを送信できます。", + "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." : "組織外の個人や組織とファイルを共有するには、この方法を使用します。ファイルやフォルダは、パブリック共有リンクやメールアドレスで共有できます。また、連携クラウドIDを使用して、異なるインスタンスにホストされている他のNextcloudアカウントと共有することもできます。", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "内部または外部共有に含まれない共有。これはアプリや他のソースからの共有になります。", "Share with accounts, teams, federated cloud id" : "アカウント、チーム、連携クラウドIDで共有", + "Share with accounts and teams" : "アカウントとチームで共有", + "Federated cloud ID" : "クラウド共有ID", "Email, federated cloud id" : "電子メール、連携クラウドID", "Filename must not be empty." : "ファイル名は空白にできません。" }, diff --git a/apps/files_sharing/l10n/ja.json b/apps/files_sharing/l10n/ja.json index a9d6a841b89..56c4495cffe 100644 --- a/apps/files_sharing/l10n/ja.json +++ b/apps/files_sharing/l10n/ja.json @@ -132,7 +132,7 @@ "Generate a new password" : "新しいパスワードを生成", "Your administrator has enforced a password protection." : "管理者はパスワードによる保護を行っています。", "Automatically copying failed, please copy the share link manually" : "自動コピーに失敗しました。手動で共有リンクをコピーしてください", - "Link copied to clipboard" : "クリップボードにリンクをコピーしました", + "Link copied" : "リンクをコピーしました", "Email already added" : "メールはすでに追加されています", "Invalid email address" : "無効なメールアドレス", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["以下のメールアドレスは無効です: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count} メールアドレスが追加されました"], "You can now share the link below to allow people to upload files to your directory." : "以下のリンクを共有することであなたのディレクトリにファイルをアップロードできるようになります。", "Share link" : "URLで共有", - "Copy to clipboard" : "クリップボードにコピー", + "Copy" : "コピー", "Send link via email" : "メールでリンクを送信", "Enter an email address or paste a list" : "メールアドレスを入力するか、リストを貼り付ける", "Remove email" : "メールを削除", @@ -199,10 +199,7 @@ "Via “{folder}”" : "“{folder}” 経由", "Unshare" : "共有を解除", "Cannot copy, please copy the link manually" : "コピーできませんでした。手動でリンクをコピーしてください。", - "Copy internal link to clipboard" : "内部リンクをクリップボードにコピー", - "Only works for people with access to this folder" : "このフォルダにアクセスできる人にのみ機能します", - "Only works for people with access to this file" : "このファイルへのアクセスできる人にのみ機能します", - "Link copied" : "リンクをコピーしました", + "Copy internal link" : "内部リンクをコピー", "Internal link" : "内部リンク", "{shareWith} by {initiator}" : "{initiator} により {shareWith}", "Shared via link by {initiator}" : "{initiator}がリンクで共有", @@ -213,7 +210,6 @@ "Share link ({index})" : "リンク共有 ({index})", "Create public link" : "公開リンクを作成", "Actions for \"{title}\"" : "\"{title}\"のアクション", - "Copy public link of \"{title}\" to clipboard" : "\"{title}\" の公開リンクをクリップボードにコピー", "Error, please enter proper password and/or expiration date" : "エラー、正しいパスワードおよび/または有効期限を入力してください", "Link share created" : "リンク共有が作成されました", "Error while creating the share" : "共有作成時にエラーが発生しました", @@ -239,7 +235,7 @@ "Name, email, or Federated Cloud ID …" : "名前、メールアドレス、またはクラウド連携ID…", "Searching …" : "検索しています…", "No elements found." : "要素が見つかりませんでした。", - "Search globally" : "グローバルに検索", + "Search everywhere" : "あらゆる場所を検索", "Guest" : "ゲスト", "Group" : "グループ", "Email" : "メール", @@ -258,7 +254,6 @@ "Successfully uploaded files" : "ファイルのアップロードに成功しました", "View terms of service" : "利用規約を見る", "Terms of service" : "サービス利用規約", - "Share with {userName}" : "{userName} と共有", "Share with email {email}" : "{email} とメールで共有", "Share with group" : "グループと共有する", "Share in conversation" : "会話で共有する", @@ -303,13 +298,6 @@ "Unable to fetch inherited shares" : "継承された共有を取得できません", "Link shares" : "リンク共有", "Shares" : "共有", - "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." : "組織内の個人またはチームとファイルを共有するには、この方法を使用します。受信者がすでに共有にアクセスできるが、その場所を見つけられない場合は、簡単にアクセスできるように内部共有リンクを送信できます。", - "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." : "組織外の個人や組織とファイルを共有するには、この方法を使用します。ファイルやフォルダは、パブリック共有リンクやメールアドレスで共有できます。また、連携クラウドIDを使用して、異なるインスタンスにホストされている他のNextcloudアカウントと共有することもできます。", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "内部または外部共有に含まれない共有。これはアプリや他のソースからの共有になります。", - "Share with accounts, teams, federated cloud IDs" : "アカウント、チーム、連携クラウドIDとの共有", - "Share with accounts and teams" : "アカウントとチームで共有", - "Federated cloud ID" : "クラウド共有ID", - "Email, federated cloud ID" : "電子メール、連携クラウドID", "Unable to load the shares list" : "共有リストを読み込めません", "Expires {relativetime}" : "有効期限 {relativetime}", "this share just expired." : "この共有は期限切れになりました。", @@ -328,7 +316,6 @@ "Shared" : "共有中", "Shared by {ownerDisplayName}" : "{ownerDisplayName} が共有済み", "Shared multiple times with different people" : "異なる人と複数回共有", - "Show sharing options" : "共有オプションを表示", "Shared with others" : "他ユーザーと共有中", "Create file request" : "ファイルリクエストを作成", "Upload files to {foldername}" : "{foldername}にファイルをアップロード", @@ -415,13 +402,22 @@ "Failed to add the public link to your Nextcloud" : "このNextcloudに公開リンクを追加できませんでした", "You are not allowed to edit link shares that you don't own" : "あなたが所有していない共有リンクを編集することは許可されていません", "Download all files" : "すべてのファイルをダウンロード", + "Link copied to clipboard" : "クリップボードにリンクをコピーしました", "_1 email address already added_::_{count} email addresses already added_" : ["{count} メールアドレスはすでに追加されています"], "_1 email address added_::_{count} email addresses added_" : ["{count} メールアドレスが追加されました"], + "Copy to clipboard" : "クリップボードにコピー", + "Copy internal link to clipboard" : "内部リンクをクリップボードにコピー", + "Only works for people with access to this folder" : "このフォルダにアクセスできる人にのみ機能します", + "Only works for people with access to this file" : "このファイルへのアクセスできる人にのみ機能します", + "Copy public link of \"{title}\" to clipboard" : "\"{title}\" の公開リンクをクリップボードにコピー", + "Search globally" : "グローバルに検索", "Search for share recipients" : "共有の受信者を検索", "No recommendations. Start typing." : "推奨事項はありません。 入力を開始します。", "To upload files, you need to provide your name first." : "ファイルをアップロードするには、最初に名前を入力する必要があります。", "Enter your name" : "あなたの名前を入力", "Submit name" : "名前を送信", + "Share with {userName}" : "{userName} と共有", + "Show sharing options" : "共有オプションを表示", "Share note" : "共有ノート", "Upload files to %s" : "%s にファイルをアップロード", "%s shared a folder with you." : "%sはあなたとフォルダーを共有しました。", @@ -431,7 +427,12 @@ "Uploaded files:" : "アップロード済ファイル:", "By uploading files, you agree to the %1$sterms of service%2$s." : "ファイルをアップロードすると、%1$s のサービス条件 %2$s に同意したことになります。", "Name" : "名前", + "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." : "組織内の個人またはチームとファイルを共有するには、この方法を使用します。受信者がすでに共有にアクセスできるが、その場所を見つけられない場合は、簡単にアクセスできるように内部共有リンクを送信できます。", + "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." : "組織外の個人や組織とファイルを共有するには、この方法を使用します。ファイルやフォルダは、パブリック共有リンクやメールアドレスで共有できます。また、連携クラウドIDを使用して、異なるインスタンスにホストされている他のNextcloudアカウントと共有することもできます。", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "内部または外部共有に含まれない共有。これはアプリや他のソースからの共有になります。", "Share with accounts, teams, federated cloud id" : "アカウント、チーム、連携クラウドIDで共有", + "Share with accounts and teams" : "アカウントとチームで共有", + "Federated cloud ID" : "クラウド共有ID", "Email, federated cloud id" : "電子メール、連携クラウドID", "Filename must not be empty." : "ファイル名は空白にできません。" },"pluralForm" :"nplurals=1; plural=0;" diff --git a/apps/files_sharing/l10n/ka.js b/apps/files_sharing/l10n/ka.js index d3dbc4ea3ee..6fbe4a77076 100644 --- a/apps/files_sharing/l10n/ka.js +++ b/apps/files_sharing/l10n/ka.js @@ -98,8 +98,9 @@ OC.L10N.register( "People" : "People", "Expiration date" : "Expiration date", "Password" : "Password", + "Link copied" : "Link copied", "Share link" : "Share link", - "Copy to clipboard" : "Copy to clipboard", + "Copy" : "Copy", "Select" : "Select", "Close" : "Close", "Error creating the share: {errorMessage}" : "Error creating the share: {errorMessage}", @@ -126,8 +127,7 @@ OC.L10N.register( "Via “{folder}”" : "Via “{folder}”", "Unshare" : "Unshare", "Cannot copy, please copy the link manually" : "Cannot copy, please copy the link manually", - "Copy internal link to clipboard" : "Copy internal link to clipboard", - "Link copied" : "Link copied", + "Copy internal link" : "Copy internal link", "Internal link" : "Internal link", "{shareWith} by {initiator}" : "{shareWith} by {initiator}", "Shared via link by {initiator}" : "Shared via link by {initiator}", @@ -135,7 +135,6 @@ OC.L10N.register( "Share link ({label})" : "Share link ({label})", "Share link ({index})" : "Share link ({index})", "Actions for \"{title}\"" : "Actions for \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Copy public link of \"{title}\" to clipboard", "Error, please enter proper password and/or expiration date" : "Error, please enter proper password and/or expiration date", "Link share created" : "Link share created", "Error while creating the share" : "Error while creating the share", @@ -155,7 +154,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Name, email, or Federated Cloud ID …", "Searching …" : "Searching …", "No elements found." : "No elements found.", - "Search globally" : "Search globally", + "Search everywhere" : "მოძებნე ყველგან", "Guest" : "Guest", "Group" : "Group", "Email" : "Email", @@ -165,7 +164,6 @@ OC.L10N.register( "on {server}" : "on {server}", "File drop" : "File drop", "Terms of service" : "Terms of service", - "Share with {userName}" : "Share with {userName}", "Share with group" : "Share with group", "Share in conversation" : "Share in conversation", "Share with remote group" : "Share with remote group", @@ -208,7 +206,6 @@ OC.L10N.register( "_Restore share_::_Restore shares_" : ["Restore share","Restore shares"], "Shared" : "Shared", "Shared by {ownerDisplayName}" : "Shared by {ownerDisplayName}", - "Show sharing options" : "Show sharing options", "Shared with others" : "Shared with others", "Overview of shared files." : "Overview of shared files.", "No shares" : "No shares", @@ -259,9 +256,15 @@ OC.L10N.register( "Invalid server URL" : "Invalid server URL", "Failed to add the public link to your Nextcloud" : "Failed to add the public link to your Nextcloud", "Download all files" : "Download all files", + "Copy to clipboard" : "Copy to clipboard", + "Copy internal link to clipboard" : "Copy internal link to clipboard", + "Copy public link of \"{title}\" to clipboard" : "Copy public link of \"{title}\" to clipboard", + "Search globally" : "Search globally", "Search for share recipients" : "Search for share recipients", "No recommendations. Start typing." : "No recommendations. Start typing.", "Enter your name" : "Enter your name", + "Share with {userName}" : "Share with {userName}", + "Show sharing options" : "Show sharing options", "Share note" : "Share note", "Upload files to %s" : "Upload files to %s", "Note" : "Note", diff --git a/apps/files_sharing/l10n/ka.json b/apps/files_sharing/l10n/ka.json index fc96e8ef6c0..5a58bece091 100644 --- a/apps/files_sharing/l10n/ka.json +++ b/apps/files_sharing/l10n/ka.json @@ -96,8 +96,9 @@ "People" : "People", "Expiration date" : "Expiration date", "Password" : "Password", + "Link copied" : "Link copied", "Share link" : "Share link", - "Copy to clipboard" : "Copy to clipboard", + "Copy" : "Copy", "Select" : "Select", "Close" : "Close", "Error creating the share: {errorMessage}" : "Error creating the share: {errorMessage}", @@ -124,8 +125,7 @@ "Via “{folder}”" : "Via “{folder}”", "Unshare" : "Unshare", "Cannot copy, please copy the link manually" : "Cannot copy, please copy the link manually", - "Copy internal link to clipboard" : "Copy internal link to clipboard", - "Link copied" : "Link copied", + "Copy internal link" : "Copy internal link", "Internal link" : "Internal link", "{shareWith} by {initiator}" : "{shareWith} by {initiator}", "Shared via link by {initiator}" : "Shared via link by {initiator}", @@ -133,7 +133,6 @@ "Share link ({label})" : "Share link ({label})", "Share link ({index})" : "Share link ({index})", "Actions for \"{title}\"" : "Actions for \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Copy public link of \"{title}\" to clipboard", "Error, please enter proper password and/or expiration date" : "Error, please enter proper password and/or expiration date", "Link share created" : "Link share created", "Error while creating the share" : "Error while creating the share", @@ -153,7 +152,7 @@ "Name, email, or Federated Cloud ID …" : "Name, email, or Federated Cloud ID …", "Searching …" : "Searching …", "No elements found." : "No elements found.", - "Search globally" : "Search globally", + "Search everywhere" : "მოძებნე ყველგან", "Guest" : "Guest", "Group" : "Group", "Email" : "Email", @@ -163,7 +162,6 @@ "on {server}" : "on {server}", "File drop" : "File drop", "Terms of service" : "Terms of service", - "Share with {userName}" : "Share with {userName}", "Share with group" : "Share with group", "Share in conversation" : "Share in conversation", "Share with remote group" : "Share with remote group", @@ -206,7 +204,6 @@ "_Restore share_::_Restore shares_" : ["Restore share","Restore shares"], "Shared" : "Shared", "Shared by {ownerDisplayName}" : "Shared by {ownerDisplayName}", - "Show sharing options" : "Show sharing options", "Shared with others" : "Shared with others", "Overview of shared files." : "Overview of shared files.", "No shares" : "No shares", @@ -257,9 +254,15 @@ "Invalid server URL" : "Invalid server URL", "Failed to add the public link to your Nextcloud" : "Failed to add the public link to your Nextcloud", "Download all files" : "Download all files", + "Copy to clipboard" : "Copy to clipboard", + "Copy internal link to clipboard" : "Copy internal link to clipboard", + "Copy public link of \"{title}\" to clipboard" : "Copy public link of \"{title}\" to clipboard", + "Search globally" : "Search globally", "Search for share recipients" : "Search for share recipients", "No recommendations. Start typing." : "No recommendations. Start typing.", "Enter your name" : "Enter your name", + "Share with {userName}" : "Share with {userName}", + "Show sharing options" : "Show sharing options", "Share note" : "Share note", "Upload files to %s" : "Upload files to %s", "Note" : "Note", diff --git a/apps/files_sharing/l10n/ko.js b/apps/files_sharing/l10n/ko.js index 88e83c2d820..e69d407476c 100644 --- a/apps/files_sharing/l10n/ko.js +++ b/apps/files_sharing/l10n/ko.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "새 암호 생성", "Your administrator has enforced a password protection." : "관리자가 암호 보호 정책을 시행했습니다.", "Automatically copying failed, please copy the share link manually" : "자동 복사에 실패했습니다. 공유 링크를 수동으로 복사해 주세요.", - "Link copied to clipboard" : "링크가 클립보드로 복사됨", + "Link copied" : "링크 복사됨", "Email already added" : "이메일이 이미 추가됨", "Invalid email address" : "이메일이 잘못됨", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["다음 이메일 주소가 잘못되었습니다: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count}개 이메일 주소를 추가했습니다."], "You can now share the link below to allow people to upload files to your directory." : "아래 링크를 공유하여 사람들에게 당신의 경로에 파일을 업로드하도록 허용할 수 있습니다.", "Share link" : "링크 공유", - "Copy to clipboard" : "클립보드로 복사", + "Copy" : "복사", "Send link via email" : "이메일로 링크 보내기", "Enter an email address or paste a list" : "이메일 주소를 입력하거나 목록을 붙여넣으세요.", "Remove email" : "이메일 제거", @@ -200,10 +200,7 @@ OC.L10N.register( "Via “{folder}”" : "“{folder}”(을)를 통하여", "Unshare" : "공유 해제", "Cannot copy, please copy the link manually" : "복사할 수 없습니다, 링크를 수동으로 복사하세요.", - "Copy internal link to clipboard" : "내부 링크를 클립보드에 복사", - "Only works for people with access to this folder" : "액세스 권한이 있는 사용자에게만 가능합니다", - "Only works for people with access to this file" : "이 파일에 접근할 수 있는 사용자에게만 작동", - "Link copied" : "링크 복사됨", + "Copy internal link" : "내부 링크 복사", "Internal link" : "내부 링크", "{shareWith} by {initiator}" : "{initiator}님에 의해 {shareWith}님에게", "Shared via link by {initiator}" : "{initiator}님이 링크를 통해 공유함", @@ -214,7 +211,6 @@ OC.L10N.register( "Share link ({index})" : "링크 공유 ({index})", "Create public link" : "공개 링크 만들기", "Actions for \"{title}\"" : "\"{title}\"에 대한 작업", - "Copy public link of \"{title}\" to clipboard" : "\"{title}\"의 공개 링크를 클립보드에 복사", "Error, please enter proper password and/or expiration date" : "오류, 적절한 암호와 만료일을 입력하세요.", "Link share created" : "링크 공유가 만들어짐", "Error while creating the share" : "공유를 만드는 중 오류 발생", @@ -240,7 +236,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "이름, 이메일, 또는 연합 클라우드 ID …", "Searching …" : "검색 ...", "No elements found." : "요소를 찾을 수 없습니다.", - "Search globally" : "전역 검색", + "Search everywhere" : "모든 곳에서 찾기", "Guest" : "손님", "Group" : "그룹", "Email" : "이메일", @@ -258,7 +254,6 @@ OC.L10N.register( "By uploading files, you agree to the terms of service." : "파일을 업로드하면 이용 약관에 동의하는 것을 의미합니다.", "View terms of service" : "이용 약관 보기", "Terms of service" : "이용 약관", - "Share with {userName}" : "{userName}와(과) 공유", "Share with email {email}" : "{email} 이메일에 공유", "Share with group" : "그룹과 공유", "Share in conversation" : "대화방과 공유", @@ -303,12 +298,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "상속된 공유를 가져올 수 없음", "Link shares" : "링크 공유", "Shares" : "공유", - "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." : "이 방법을 사용하여 조직 내 개인 또는 팀과 파일을 공유하세요. 수신자가 이미 공유 폴더에 접근할 수 있지만 위치를 찾을 수 없는 경우, 쉽게 접근할 수 있도록 내부 공유 링크를 보낼 수 있습니다.", - "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." : "이 방법을 사용하여 이 조직 외부의 개인이나 조직과 파일을 공유하세요. 파일과 폴더는 공개 공유 링크와 이메일 주소를 통해 공유할 수 있습니다. 다른 인스턴스에 소속된 다른 Nextcloud 계정과도 연합 클라우드 ID를 사용하여 공유할 수 있습니다.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "내부 또는 외부 공유에 포함되지 않은 공유입니다. 앱이나 다른 소스에서 공유된 내용이 여기에 해당할 수 있습니다.", - "Share with accounts, teams, federated cloud IDs" : "계정, 팀 및 연합 클라우드 ID와 공유", - "Share with accounts and teams" : "계정 및 팀과 공유", - "Email, federated cloud ID" : "이메일, 연합 클라우드 ID", "Unable to load the shares list" : "공유 목록을 불러올 수 없음", "Expires {relativetime}" : "{relativetime}에 만료", "this share just expired." : "이 공유는 방금 만료되었습니다.", @@ -327,7 +316,6 @@ OC.L10N.register( "Shared" : "공유됨", "Shared by {ownerDisplayName}" : "{ownerDisplayName}님이 공유함", "Shared multiple times with different people" : "여러 사용자와 공유됨", - "Show sharing options" : "공유 옵션 표시", "Shared with others" : "다른 사람과 공유됨", "Create file request" : "파일 요청 생성", "Upload files to {foldername}" : "{foldername}에 파일 업로드", @@ -403,13 +391,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Nextcloud에 공개 링크를 추가할 수 없음", "You are not allowed to edit link shares that you don't own" : "당신이 것이 아닌 링크 공유를 편집할 권한이 없습니다.", "Download all files" : "모든 파일 다운로드", + "Link copied to clipboard" : "링크가 클립보드로 복사됨", "_1 email address already added_::_{count} email addresses already added_" : ["{count}개 이메일 주소가 이미 추가됨"], "_1 email address added_::_{count} email addresses added_" : ["{count}개 이메일 주소 추가함"], + "Copy to clipboard" : "클립보드로 복사", + "Copy internal link to clipboard" : "내부 링크를 클립보드에 복사", + "Only works for people with access to this folder" : "액세스 권한이 있는 사용자에게만 가능합니다", + "Only works for people with access to this file" : "이 파일에 접근할 수 있는 사용자에게만 작동", + "Copy public link of \"{title}\" to clipboard" : "\"{title}\"의 공개 링크를 클립보드에 복사", + "Search globally" : "전역 검색", "Search for share recipients" : "공유 대상 검색", "No recommendations. Start typing." : "추천 없음. 타이핑을 시작하십시오", "To upload files, you need to provide your name first." : "파일을 업로드하려면 먼저 당신의 이름을 알려주세요.", "Enter your name" : "이름을 입력하세요", "Submit name" : "이름 제출", + "Share with {userName}" : "{userName}와(과) 공유", + "Show sharing options" : "공유 옵션 표시", "Share note" : "공유 노트", "Upload files to %s" : "%s에 파일 업로드", "%s shared a folder with you." : "%s님이 당신과 폴더를 공유했습니다", @@ -419,7 +416,11 @@ OC.L10N.register( "Uploaded files:" : "업로드한 파일:", "By uploading files, you agree to the %1$sterms of service%2$s." : "파일을 업로드하면 %1$s이용 약관%2$s에 동의하는 것을 의미합니다.", "Name" : "이름", + "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." : "이 방법을 사용하여 조직 내 개인 또는 팀과 파일을 공유하세요. 수신자가 이미 공유 폴더에 접근할 수 있지만 위치를 찾을 수 없는 경우, 쉽게 접근할 수 있도록 내부 공유 링크를 보낼 수 있습니다.", + "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." : "이 방법을 사용하여 이 조직 외부의 개인이나 조직과 파일을 공유하세요. 파일과 폴더는 공개 공유 링크와 이메일 주소를 통해 공유할 수 있습니다. 다른 인스턴스에 소속된 다른 Nextcloud 계정과도 연합 클라우드 ID를 사용하여 공유할 수 있습니다.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "내부 또는 외부 공유에 포함되지 않은 공유입니다. 앱이나 다른 소스에서 공유된 내용이 여기에 해당할 수 있습니다.", "Share with accounts, teams, federated cloud id" : "계정, 팀 및 연합 클라우드 ID와 공유", + "Share with accounts and teams" : "계정 및 팀과 공유", "Email, federated cloud id" : "이메일, 연합 클라우드 ID", "Filename must not be empty." : "파일 이름을 비울 수 없습니다." }, diff --git a/apps/files_sharing/l10n/ko.json b/apps/files_sharing/l10n/ko.json index 148b0dd11ed..826f79becb1 100644 --- a/apps/files_sharing/l10n/ko.json +++ b/apps/files_sharing/l10n/ko.json @@ -132,7 +132,7 @@ "Generate a new password" : "새 암호 생성", "Your administrator has enforced a password protection." : "관리자가 암호 보호 정책을 시행했습니다.", "Automatically copying failed, please copy the share link manually" : "자동 복사에 실패했습니다. 공유 링크를 수동으로 복사해 주세요.", - "Link copied to clipboard" : "링크가 클립보드로 복사됨", + "Link copied" : "링크 복사됨", "Email already added" : "이메일이 이미 추가됨", "Invalid email address" : "이메일이 잘못됨", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["다음 이메일 주소가 잘못되었습니다: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count}개 이메일 주소를 추가했습니다."], "You can now share the link below to allow people to upload files to your directory." : "아래 링크를 공유하여 사람들에게 당신의 경로에 파일을 업로드하도록 허용할 수 있습니다.", "Share link" : "링크 공유", - "Copy to clipboard" : "클립보드로 복사", + "Copy" : "복사", "Send link via email" : "이메일로 링크 보내기", "Enter an email address or paste a list" : "이메일 주소를 입력하거나 목록을 붙여넣으세요.", "Remove email" : "이메일 제거", @@ -198,10 +198,7 @@ "Via “{folder}”" : "“{folder}”(을)를 통하여", "Unshare" : "공유 해제", "Cannot copy, please copy the link manually" : "복사할 수 없습니다, 링크를 수동으로 복사하세요.", - "Copy internal link to clipboard" : "내부 링크를 클립보드에 복사", - "Only works for people with access to this folder" : "액세스 권한이 있는 사용자에게만 가능합니다", - "Only works for people with access to this file" : "이 파일에 접근할 수 있는 사용자에게만 작동", - "Link copied" : "링크 복사됨", + "Copy internal link" : "내부 링크 복사", "Internal link" : "내부 링크", "{shareWith} by {initiator}" : "{initiator}님에 의해 {shareWith}님에게", "Shared via link by {initiator}" : "{initiator}님이 링크를 통해 공유함", @@ -212,7 +209,6 @@ "Share link ({index})" : "링크 공유 ({index})", "Create public link" : "공개 링크 만들기", "Actions for \"{title}\"" : "\"{title}\"에 대한 작업", - "Copy public link of \"{title}\" to clipboard" : "\"{title}\"의 공개 링크를 클립보드에 복사", "Error, please enter proper password and/or expiration date" : "오류, 적절한 암호와 만료일을 입력하세요.", "Link share created" : "링크 공유가 만들어짐", "Error while creating the share" : "공유를 만드는 중 오류 발생", @@ -238,7 +234,7 @@ "Name, email, or Federated Cloud ID …" : "이름, 이메일, 또는 연합 클라우드 ID …", "Searching …" : "검색 ...", "No elements found." : "요소를 찾을 수 없습니다.", - "Search globally" : "전역 검색", + "Search everywhere" : "모든 곳에서 찾기", "Guest" : "손님", "Group" : "그룹", "Email" : "이메일", @@ -256,7 +252,6 @@ "By uploading files, you agree to the terms of service." : "파일을 업로드하면 이용 약관에 동의하는 것을 의미합니다.", "View terms of service" : "이용 약관 보기", "Terms of service" : "이용 약관", - "Share with {userName}" : "{userName}와(과) 공유", "Share with email {email}" : "{email} 이메일에 공유", "Share with group" : "그룹과 공유", "Share in conversation" : "대화방과 공유", @@ -301,12 +296,6 @@ "Unable to fetch inherited shares" : "상속된 공유를 가져올 수 없음", "Link shares" : "링크 공유", "Shares" : "공유", - "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." : "이 방법을 사용하여 조직 내 개인 또는 팀과 파일을 공유하세요. 수신자가 이미 공유 폴더에 접근할 수 있지만 위치를 찾을 수 없는 경우, 쉽게 접근할 수 있도록 내부 공유 링크를 보낼 수 있습니다.", - "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." : "이 방법을 사용하여 이 조직 외부의 개인이나 조직과 파일을 공유하세요. 파일과 폴더는 공개 공유 링크와 이메일 주소를 통해 공유할 수 있습니다. 다른 인스턴스에 소속된 다른 Nextcloud 계정과도 연합 클라우드 ID를 사용하여 공유할 수 있습니다.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "내부 또는 외부 공유에 포함되지 않은 공유입니다. 앱이나 다른 소스에서 공유된 내용이 여기에 해당할 수 있습니다.", - "Share with accounts, teams, federated cloud IDs" : "계정, 팀 및 연합 클라우드 ID와 공유", - "Share with accounts and teams" : "계정 및 팀과 공유", - "Email, federated cloud ID" : "이메일, 연합 클라우드 ID", "Unable to load the shares list" : "공유 목록을 불러올 수 없음", "Expires {relativetime}" : "{relativetime}에 만료", "this share just expired." : "이 공유는 방금 만료되었습니다.", @@ -325,7 +314,6 @@ "Shared" : "공유됨", "Shared by {ownerDisplayName}" : "{ownerDisplayName}님이 공유함", "Shared multiple times with different people" : "여러 사용자와 공유됨", - "Show sharing options" : "공유 옵션 표시", "Shared with others" : "다른 사람과 공유됨", "Create file request" : "파일 요청 생성", "Upload files to {foldername}" : "{foldername}에 파일 업로드", @@ -401,13 +389,22 @@ "Failed to add the public link to your Nextcloud" : "Nextcloud에 공개 링크를 추가할 수 없음", "You are not allowed to edit link shares that you don't own" : "당신이 것이 아닌 링크 공유를 편집할 권한이 없습니다.", "Download all files" : "모든 파일 다운로드", + "Link copied to clipboard" : "링크가 클립보드로 복사됨", "_1 email address already added_::_{count} email addresses already added_" : ["{count}개 이메일 주소가 이미 추가됨"], "_1 email address added_::_{count} email addresses added_" : ["{count}개 이메일 주소 추가함"], + "Copy to clipboard" : "클립보드로 복사", + "Copy internal link to clipboard" : "내부 링크를 클립보드에 복사", + "Only works for people with access to this folder" : "액세스 권한이 있는 사용자에게만 가능합니다", + "Only works for people with access to this file" : "이 파일에 접근할 수 있는 사용자에게만 작동", + "Copy public link of \"{title}\" to clipboard" : "\"{title}\"의 공개 링크를 클립보드에 복사", + "Search globally" : "전역 검색", "Search for share recipients" : "공유 대상 검색", "No recommendations. Start typing." : "추천 없음. 타이핑을 시작하십시오", "To upload files, you need to provide your name first." : "파일을 업로드하려면 먼저 당신의 이름을 알려주세요.", "Enter your name" : "이름을 입력하세요", "Submit name" : "이름 제출", + "Share with {userName}" : "{userName}와(과) 공유", + "Show sharing options" : "공유 옵션 표시", "Share note" : "공유 노트", "Upload files to %s" : "%s에 파일 업로드", "%s shared a folder with you." : "%s님이 당신과 폴더를 공유했습니다", @@ -417,7 +414,11 @@ "Uploaded files:" : "업로드한 파일:", "By uploading files, you agree to the %1$sterms of service%2$s." : "파일을 업로드하면 %1$s이용 약관%2$s에 동의하는 것을 의미합니다.", "Name" : "이름", + "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." : "이 방법을 사용하여 조직 내 개인 또는 팀과 파일을 공유하세요. 수신자가 이미 공유 폴더에 접근할 수 있지만 위치를 찾을 수 없는 경우, 쉽게 접근할 수 있도록 내부 공유 링크를 보낼 수 있습니다.", + "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." : "이 방법을 사용하여 이 조직 외부의 개인이나 조직과 파일을 공유하세요. 파일과 폴더는 공개 공유 링크와 이메일 주소를 통해 공유할 수 있습니다. 다른 인스턴스에 소속된 다른 Nextcloud 계정과도 연합 클라우드 ID를 사용하여 공유할 수 있습니다.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "내부 또는 외부 공유에 포함되지 않은 공유입니다. 앱이나 다른 소스에서 공유된 내용이 여기에 해당할 수 있습니다.", "Share with accounts, teams, federated cloud id" : "계정, 팀 및 연합 클라우드 ID와 공유", + "Share with accounts and teams" : "계정 및 팀과 공유", "Email, federated cloud id" : "이메일, 연합 클라우드 ID", "Filename must not be empty." : "파일 이름을 비울 수 없습니다." },"pluralForm" :"nplurals=1; plural=0;" diff --git a/apps/files_sharing/l10n/lt_LT.js b/apps/files_sharing/l10n/lt_LT.js index db12f4c1db5..1ebf8d8c787 100644 --- a/apps/files_sharing/l10n/lt_LT.js +++ b/apps/files_sharing/l10n/lt_LT.js @@ -104,13 +104,13 @@ OC.L10N.register( "Password" : "Slaptažodis", "Generate a new password" : "Generuoti naują slaptažodį", "Automatically copying failed, please copy the share link manually" : "Nepavyko automatiškai nukopijuoti, nukopijuokite nuorodą rankiniu būdu", - "Link copied to clipboard" : "Nuoroda nukopijuota į iškarpinę", + "Link copied" : "Nuoroda nukopijuota", "Email already added" : "El. paštas jau pridėtas", "Invalid email address" : "Neteisingas el. pašto adresas", "_{count} email address already added_::_{count} email addresses already added_" : ["Jau pridėtas {count} el. pašto adresas","Jau pridėti {count} el. pašto adresai","Jau pridėta {count} el. pašto adresų","Jau pridėtas {count} el. pašto adresas"], "_{count} email address added_::_{count} email addresses added_" : ["Pridėtas {count} el. pašto adresas","Pridėti {count} el. pašto adresai","Pridėta {count} el. pašto adresų","Pridėtas {count} el. pašto adresas"], "Share link" : "Viešinio nuoroda", - "Copy to clipboard" : "Kopijuoti į iškarpinę", + "Copy" : "Kopijuoti", "Send link via email" : "Siųsti nuorodą el. paštu", "Enter an email address or paste a list" : "Įveskite el. pašto adresą arba įdėkite sąrašą", "Remove email" : "Šalinti el. paštą", @@ -144,8 +144,7 @@ OC.L10N.register( "Via “{folder}”" : "Per \"{folder}\"", "Unshare" : "Nustoti bendrinti", "Cannot copy, please copy the link manually" : "Nepavyksta nukopijuoti, nukopijuokite nuorodą rankiniu būdu", - "Copy internal link to clipboard" : "Kopijuoti vidinę nuorodą į iškarpinę", - "Link copied" : "Nuoroda nukopijuota", + "Copy internal link" : "Kopijuoti vidinę nuorodą", "Internal link" : "Vidinė nuoroda", "Shared via link by {initiator}" : "{initiator} bendrina per nuorodą", "Share link ({label})" : "Viešinio nuoroda ({label})", @@ -169,7 +168,6 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Vardas, el. paštas ar federacinės debesijos ID…", "Searching …" : "Ieškoma…", "No elements found." : "Nerasta jokių elementų.", - "Search globally" : "Ieškoti visuotiniu mastu", "Guest" : "Svečias", "Group" : "Grupė", "Email" : "El. paštas", @@ -178,7 +176,6 @@ OC.L10N.register( "Note:" : "Pastaba:", "File drop" : "Failų įkėlimas", "Terms of service" : "Naudojimosi sąlygos", - "Share with {userName}" : "Bendrinti su {userName}", "Share with email {email}" : "Bendrinti su el. pašto adresu {email}", "Share with group" : "Bendrinti su grupe", "Share in conversation" : "Bendrinti pokalbyje", @@ -221,7 +218,6 @@ OC.L10N.register( "Link to a file" : "Nuoroda į failą", "Shared" : "Bendrinama", "Shared by {ownerDisplayName}" : "Bendrina {ownerDisplayName}", - "Show sharing options" : "Rodyti bendrinimo parinktis", "Shared with others" : "Bendrinama su kitais", "Public share" : "Viešasis viešinys", "Overview of shared files." : "Bendrinamų failų apžvalga.", @@ -269,11 +265,17 @@ OC.L10N.register( "Invalid server URL" : "Neteisingas serverio URL adresas", "Failed to add the public link to your Nextcloud" : "Nepavyko pridėti viešosios nuorodos į jūsų Nextcloud", "Download all files" : "Atsisiųsti visus failus ", + "Link copied to clipboard" : "Nuoroda nukopijuota į iškarpinę", "_1 email address already added_::_{count} email addresses already added_" : ["Jau pridėtas 1 el. pašto adresas","Jau pridėti {count} el. pašto adresai","Jau pridėta {count} el. pašto adresų","Jau pridėtas {count} el. pašto adresas"], "_1 email address added_::_{count} email addresses added_" : ["Pridėtas 1 el. pašto adresas","Pridėti {count} el. pašto adresai","Pridėta {count} el. pašto adresų","Pridėtas {count} el. pašto adresas"], + "Copy to clipboard" : "Kopijuoti į iškarpinę", + "Copy internal link to clipboard" : "Kopijuoti vidinę nuorodą į iškarpinę", + "Search globally" : "Ieškoti visuotiniu mastu", "Search for share recipients" : "Ieškoti viešinio gavėjų", "No recommendations. Start typing." : "Rekomendacijų nėra. Pradėkite rašyti.", "Enter your name" : "Įveskite savo vardą", + "Share with {userName}" : "Bendrinti su {userName}", + "Show sharing options" : "Rodyti bendrinimo parinktis", "Share note" : "Pasidalinimo pastaba", "Upload files to %s" : "Įkelkite failus į %s", "%s shared a folder with you." : "%s pradėjo bendrinti su jumis aplanką.", diff --git a/apps/files_sharing/l10n/lt_LT.json b/apps/files_sharing/l10n/lt_LT.json index 4e4862f04b4..6ff0a26de22 100644 --- a/apps/files_sharing/l10n/lt_LT.json +++ b/apps/files_sharing/l10n/lt_LT.json @@ -102,13 +102,13 @@ "Password" : "Slaptažodis", "Generate a new password" : "Generuoti naują slaptažodį", "Automatically copying failed, please copy the share link manually" : "Nepavyko automatiškai nukopijuoti, nukopijuokite nuorodą rankiniu būdu", - "Link copied to clipboard" : "Nuoroda nukopijuota į iškarpinę", + "Link copied" : "Nuoroda nukopijuota", "Email already added" : "El. paštas jau pridėtas", "Invalid email address" : "Neteisingas el. pašto adresas", "_{count} email address already added_::_{count} email addresses already added_" : ["Jau pridėtas {count} el. pašto adresas","Jau pridėti {count} el. pašto adresai","Jau pridėta {count} el. pašto adresų","Jau pridėtas {count} el. pašto adresas"], "_{count} email address added_::_{count} email addresses added_" : ["Pridėtas {count} el. pašto adresas","Pridėti {count} el. pašto adresai","Pridėta {count} el. pašto adresų","Pridėtas {count} el. pašto adresas"], "Share link" : "Viešinio nuoroda", - "Copy to clipboard" : "Kopijuoti į iškarpinę", + "Copy" : "Kopijuoti", "Send link via email" : "Siųsti nuorodą el. paštu", "Enter an email address or paste a list" : "Įveskite el. pašto adresą arba įdėkite sąrašą", "Remove email" : "Šalinti el. paštą", @@ -142,8 +142,7 @@ "Via “{folder}”" : "Per \"{folder}\"", "Unshare" : "Nustoti bendrinti", "Cannot copy, please copy the link manually" : "Nepavyksta nukopijuoti, nukopijuokite nuorodą rankiniu būdu", - "Copy internal link to clipboard" : "Kopijuoti vidinę nuorodą į iškarpinę", - "Link copied" : "Nuoroda nukopijuota", + "Copy internal link" : "Kopijuoti vidinę nuorodą", "Internal link" : "Vidinė nuoroda", "Shared via link by {initiator}" : "{initiator} bendrina per nuorodą", "Share link ({label})" : "Viešinio nuoroda ({label})", @@ -167,7 +166,6 @@ "Name, email, or Federated Cloud ID …" : "Vardas, el. paštas ar federacinės debesijos ID…", "Searching …" : "Ieškoma…", "No elements found." : "Nerasta jokių elementų.", - "Search globally" : "Ieškoti visuotiniu mastu", "Guest" : "Svečias", "Group" : "Grupė", "Email" : "El. paštas", @@ -176,7 +174,6 @@ "Note:" : "Pastaba:", "File drop" : "Failų įkėlimas", "Terms of service" : "Naudojimosi sąlygos", - "Share with {userName}" : "Bendrinti su {userName}", "Share with email {email}" : "Bendrinti su el. pašto adresu {email}", "Share with group" : "Bendrinti su grupe", "Share in conversation" : "Bendrinti pokalbyje", @@ -219,7 +216,6 @@ "Link to a file" : "Nuoroda į failą", "Shared" : "Bendrinama", "Shared by {ownerDisplayName}" : "Bendrina {ownerDisplayName}", - "Show sharing options" : "Rodyti bendrinimo parinktis", "Shared with others" : "Bendrinama su kitais", "Public share" : "Viešasis viešinys", "Overview of shared files." : "Bendrinamų failų apžvalga.", @@ -267,11 +263,17 @@ "Invalid server URL" : "Neteisingas serverio URL adresas", "Failed to add the public link to your Nextcloud" : "Nepavyko pridėti viešosios nuorodos į jūsų Nextcloud", "Download all files" : "Atsisiųsti visus failus ", + "Link copied to clipboard" : "Nuoroda nukopijuota į iškarpinę", "_1 email address already added_::_{count} email addresses already added_" : ["Jau pridėtas 1 el. pašto adresas","Jau pridėti {count} el. pašto adresai","Jau pridėta {count} el. pašto adresų","Jau pridėtas {count} el. pašto adresas"], "_1 email address added_::_{count} email addresses added_" : ["Pridėtas 1 el. pašto adresas","Pridėti {count} el. pašto adresai","Pridėta {count} el. pašto adresų","Pridėtas {count} el. pašto adresas"], + "Copy to clipboard" : "Kopijuoti į iškarpinę", + "Copy internal link to clipboard" : "Kopijuoti vidinę nuorodą į iškarpinę", + "Search globally" : "Ieškoti visuotiniu mastu", "Search for share recipients" : "Ieškoti viešinio gavėjų", "No recommendations. Start typing." : "Rekomendacijų nėra. Pradėkite rašyti.", "Enter your name" : "Įveskite savo vardą", + "Share with {userName}" : "Bendrinti su {userName}", + "Show sharing options" : "Rodyti bendrinimo parinktis", "Share note" : "Pasidalinimo pastaba", "Upload files to %s" : "Įkelkite failus į %s", "%s shared a folder with you." : "%s pradėjo bendrinti su jumis aplanką.", diff --git a/apps/files_sharing/l10n/mk.js b/apps/files_sharing/l10n/mk.js index 0cdf3e86239..0dceb8e92b8 100644 --- a/apps/files_sharing/l10n/mk.js +++ b/apps/files_sharing/l10n/mk.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Генерирај нова лозинка", "Your administrator has enforced a password protection." : "Вашиот администратор спроведе политика за заштита со лозинка на споделувањата.", "Automatically copying failed, please copy the share link manually" : "Неможе да се копира, копирајте го линкот рачно", - "Link copied to clipboard" : "Линкот е копиран во клипборд", + "Link copied" : "Линкот е копиран", "Email already added" : "Е-поштата е веќе додадена", "Invalid email address" : "Неправилна е-пошта адреса", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Адресата на е-пошта не е валидна: {emails}","Следниве адреси на е-пошта не се валидни: {emails}"], @@ -142,7 +142,6 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count} е-пошта адреса е додадена","{count} е-пошта адреси се додадени"], "You can now share the link below to allow people to upload files to your directory." : "Испратете го линкот за да им дозволите на луѓето да прикачат датотеки.", "Share link" : "Сподели линк", - "Copy to clipboard" : "Копирај во клипборд", "Send link via email" : "Испрати линк преку е-пошта", "Enter an email address or paste a list" : "Внеси е-пошта адреса или цела листа", "Remove email" : "Отстрани е-пошта", @@ -201,10 +200,7 @@ OC.L10N.register( "Via “{folder}”" : "Преку “{folder}”", "Unshare" : "Отстрани споделување", "Cannot copy, please copy the link manually" : "Неможе да се копира, копирајте го линкот рачно", - "Copy internal link to clipboard" : "Копирај внатрешен линк во клипборд", - "Only works for people with access to this folder" : "Работи само за луѓе со пристап до оваа папка", - "Only works for people with access to this file" : "Работи само за луѓе со пристап до оваа датотека", - "Link copied" : "Линкот е копиран", + "Copy internal link" : "Копирај внатрешен линк", "Internal link" : "Внатрешен линк", "{shareWith} by {initiator}" : "{shareWith} од {initiator}", "Shared via link by {initiator}" : "Споделено со линк од {initiator}", @@ -215,7 +211,6 @@ OC.L10N.register( "Share link ({index})" : "Сподели линк ({index})", "Create public link" : "Креирај јавен линк", "Actions for \"{title}\"" : "Акции за \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Копирај јавен линк во клипборд за \"{title}\"", "Error, please enter proper password and/or expiration date" : "Грешка, внесете лозинка и/или рок на траење", "Link share created" : "Креиран линк за споделување", "Error while creating the share" : "Грешка при креирање на споделување", @@ -241,7 +236,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Име, е-пошта или федерален ИД ...", "Searching …" : "Пребарување ...", "No elements found." : "Нема пронајдено елементи.", - "Search globally" : "Пребарај глобално", + "Search everywhere" : "Барај насекаде", "Guest" : "Гостин", "Group" : "Група", "Email" : "Е-пошта", @@ -259,7 +254,7 @@ OC.L10N.register( "Successfully uploaded files" : "Успешно прикачени датотеки", "View terms of service" : "Прочитај ги условите за користење", "Terms of service" : "Услови за користење", - "Share with {userName}" : "Сподели со {userName}", + "Share with {user}" : "Сподели со {user}", "Share with email {email}" : "Сподели со е-пошта {email}", "Share with group" : "Сподели со група", "Share in conversation" : "Сподели во разговор", @@ -304,13 +299,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Не можам да ги преземам наследените споделувања", "Link shares" : "Споделувања со линк", "Shares" : "Споделувања", - "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." : "Користете го овој метод за споделување датотеки со поединци или тимови во вашата организација. Ако примачот веќе има пристап до споделувањето, но не може да го лоцира, можете да му ја испратите внатрешната врска за споделување за лесен пристап.", - "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." : "Користете го овој метод за споделување датотеки со поединци или организации надвор од вашата организација. Датотеките и папките може да се споделуваат преку јавни линкови и адреси на е-пошта. Можете исто така да споделувате со други сметки на Nextcloud хостирани на различни истанци користејќи го нивниот федеративен ID.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Споделувања кои не се дел од внатрешни или надворешни споделувања. Ова може да биде споделување од апликации или други извори.", - "Share with accounts, teams, federated cloud IDs" : "Сподели со корисници, тимови, федерални корисници", - "Share with accounts and teams" : "Сподели со корисници и тимови", - "Federated cloud ID" : "Федерален корисник", - "Email, federated cloud ID" : "Е-пошта, федерален корисник", "Unable to load the shares list" : "Неможе да се вчита листата на споделувања", "Expires {relativetime}" : "Истекува {relativetime}", "this share just expired." : "ова споделување штотуку истече.", @@ -329,7 +317,6 @@ OC.L10N.register( "Shared" : "Споделен", "Shared by {ownerDisplayName}" : "Споделено од {ownerDisplayName}", "Shared multiple times with different people" : "Споделено повеќе пати со различни луѓе", - "Show sharing options" : "Прикажи параметри за споделување", "Shared with others" : "Споделно со други", "Create file request" : "Барање за датотека", "Upload files to {foldername}" : "Прикачи датотеки во {foldername}", @@ -416,13 +403,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Неуспешно додавање на јавниот линк", "You are not allowed to edit link shares that you don't own" : "Не ви е дозволено да ги уредувате споделувањата кој не се ваши", "Download all files" : "Преземи ги сите датотеки", + "Link copied to clipboard" : "Линкот е копиран во клипборд", "_1 email address already added_::_{count} email addresses already added_" : ["1 е-пошта адреса е веќе додадена","{count} е-пошта адреси се веќе додадени"], "_1 email address added_::_{count} email addresses added_" : ["1 е-пошта адреса е додадена","{count} е-пошта адреси се додадени"], + "Copy to clipboard" : "Копирај во клипборд", + "Copy internal link to clipboard" : "Копирај внатрешен линк во клипборд", + "Only works for people with access to this folder" : "Работи само за луѓе со пристап до оваа папка", + "Only works for people with access to this file" : "Работи само за луѓе со пристап до оваа датотека", + "Copy public link of \"{title}\" to clipboard" : "Копирај јавен линк во клипборд за \"{title}\"", + "Search globally" : "Пребарај глобално", "Search for share recipients" : "Пребарај за примачи на споделувањето", "No recommendations. Start typing." : "Нема препораки. Започнете со пишување.", "To upload files, you need to provide your name first." : "За да прикачите датотеки, мора да го наведете вашето име.", "Enter your name" : "Внесете го вашето име", "Submit name" : "Испрати име", + "Share with {userName}" : "Сподели со {userName}", + "Show sharing options" : "Прикажи параметри за споделување", "Share note" : "Споделување со забелешка ", "Upload files to %s" : "Прикачи датотеки во %s", "%s shared a folder with you." : "%s сподели папка со вас.", @@ -432,7 +428,12 @@ OC.L10N.register( "Uploaded files:" : "Прикачени датотеки:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Со прикачување на датотеките, се согласувате со %1$sусловите за користење%2$s.", "Name" : "Име", + "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." : "Користете го овој метод за споделување датотеки со поединци или тимови во вашата организација. Ако примачот веќе има пристап до споделувањето, но не може да го лоцира, можете да му ја испратите внатрешната врска за споделување за лесен пристап.", + "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." : "Користете го овој метод за споделување датотеки со поединци или организации надвор од вашата организација. Датотеките и папките може да се споделуваат преку јавни линкови и адреси на е-пошта. Можете исто така да споделувате со други сметки на Nextcloud хостирани на различни истанци користејќи го нивниот федеративен ID.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Споделувања кои не се дел од внатрешни или надворешни споделувања. Ова може да биде споделување од апликации или други извори.", "Share with accounts, teams, federated cloud id" : "Сподели со корисници, тимови, федерални корисници", + "Share with accounts and teams" : "Сподели со корисници и тимови", + "Federated cloud ID" : "Федерален корисник", "Email, federated cloud id" : "Е-пошта, федерален ИД", "Filename must not be empty." : "Името на датотеката не може да биде празно." }, diff --git a/apps/files_sharing/l10n/mk.json b/apps/files_sharing/l10n/mk.json index 092b47a70de..9534dcfca47 100644 --- a/apps/files_sharing/l10n/mk.json +++ b/apps/files_sharing/l10n/mk.json @@ -132,7 +132,7 @@ "Generate a new password" : "Генерирај нова лозинка", "Your administrator has enforced a password protection." : "Вашиот администратор спроведе политика за заштита со лозинка на споделувањата.", "Automatically copying failed, please copy the share link manually" : "Неможе да се копира, копирајте го линкот рачно", - "Link copied to clipboard" : "Линкот е копиран во клипборд", + "Link copied" : "Линкот е копиран", "Email already added" : "Е-поштата е веќе додадена", "Invalid email address" : "Неправилна е-пошта адреса", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Адресата на е-пошта не е валидна: {emails}","Следниве адреси на е-пошта не се валидни: {emails}"], @@ -140,7 +140,6 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count} е-пошта адреса е додадена","{count} е-пошта адреси се додадени"], "You can now share the link below to allow people to upload files to your directory." : "Испратете го линкот за да им дозволите на луѓето да прикачат датотеки.", "Share link" : "Сподели линк", - "Copy to clipboard" : "Копирај во клипборд", "Send link via email" : "Испрати линк преку е-пошта", "Enter an email address or paste a list" : "Внеси е-пошта адреса или цела листа", "Remove email" : "Отстрани е-пошта", @@ -199,10 +198,7 @@ "Via “{folder}”" : "Преку “{folder}”", "Unshare" : "Отстрани споделување", "Cannot copy, please copy the link manually" : "Неможе да се копира, копирајте го линкот рачно", - "Copy internal link to clipboard" : "Копирај внатрешен линк во клипборд", - "Only works for people with access to this folder" : "Работи само за луѓе со пристап до оваа папка", - "Only works for people with access to this file" : "Работи само за луѓе со пристап до оваа датотека", - "Link copied" : "Линкот е копиран", + "Copy internal link" : "Копирај внатрешен линк", "Internal link" : "Внатрешен линк", "{shareWith} by {initiator}" : "{shareWith} од {initiator}", "Shared via link by {initiator}" : "Споделено со линк од {initiator}", @@ -213,7 +209,6 @@ "Share link ({index})" : "Сподели линк ({index})", "Create public link" : "Креирај јавен линк", "Actions for \"{title}\"" : "Акции за \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Копирај јавен линк во клипборд за \"{title}\"", "Error, please enter proper password and/or expiration date" : "Грешка, внесете лозинка и/или рок на траење", "Link share created" : "Креиран линк за споделување", "Error while creating the share" : "Грешка при креирање на споделување", @@ -239,7 +234,7 @@ "Name, email, or Federated Cloud ID …" : "Име, е-пошта или федерален ИД ...", "Searching …" : "Пребарување ...", "No elements found." : "Нема пронајдено елементи.", - "Search globally" : "Пребарај глобално", + "Search everywhere" : "Барај насекаде", "Guest" : "Гостин", "Group" : "Група", "Email" : "Е-пошта", @@ -257,7 +252,7 @@ "Successfully uploaded files" : "Успешно прикачени датотеки", "View terms of service" : "Прочитај ги условите за користење", "Terms of service" : "Услови за користење", - "Share with {userName}" : "Сподели со {userName}", + "Share with {user}" : "Сподели со {user}", "Share with email {email}" : "Сподели со е-пошта {email}", "Share with group" : "Сподели со група", "Share in conversation" : "Сподели во разговор", @@ -302,13 +297,6 @@ "Unable to fetch inherited shares" : "Не можам да ги преземам наследените споделувања", "Link shares" : "Споделувања со линк", "Shares" : "Споделувања", - "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." : "Користете го овој метод за споделување датотеки со поединци или тимови во вашата организација. Ако примачот веќе има пристап до споделувањето, но не може да го лоцира, можете да му ја испратите внатрешната врска за споделување за лесен пристап.", - "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." : "Користете го овој метод за споделување датотеки со поединци или организации надвор од вашата организација. Датотеките и папките може да се споделуваат преку јавни линкови и адреси на е-пошта. Можете исто така да споделувате со други сметки на Nextcloud хостирани на различни истанци користејќи го нивниот федеративен ID.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Споделувања кои не се дел од внатрешни или надворешни споделувања. Ова може да биде споделување од апликации или други извори.", - "Share with accounts, teams, federated cloud IDs" : "Сподели со корисници, тимови, федерални корисници", - "Share with accounts and teams" : "Сподели со корисници и тимови", - "Federated cloud ID" : "Федерален корисник", - "Email, federated cloud ID" : "Е-пошта, федерален корисник", "Unable to load the shares list" : "Неможе да се вчита листата на споделувања", "Expires {relativetime}" : "Истекува {relativetime}", "this share just expired." : "ова споделување штотуку истече.", @@ -327,7 +315,6 @@ "Shared" : "Споделен", "Shared by {ownerDisplayName}" : "Споделено од {ownerDisplayName}", "Shared multiple times with different people" : "Споделено повеќе пати со различни луѓе", - "Show sharing options" : "Прикажи параметри за споделување", "Shared with others" : "Споделно со други", "Create file request" : "Барање за датотека", "Upload files to {foldername}" : "Прикачи датотеки во {foldername}", @@ -414,13 +401,22 @@ "Failed to add the public link to your Nextcloud" : "Неуспешно додавање на јавниот линк", "You are not allowed to edit link shares that you don't own" : "Не ви е дозволено да ги уредувате споделувањата кој не се ваши", "Download all files" : "Преземи ги сите датотеки", + "Link copied to clipboard" : "Линкот е копиран во клипборд", "_1 email address already added_::_{count} email addresses already added_" : ["1 е-пошта адреса е веќе додадена","{count} е-пошта адреси се веќе додадени"], "_1 email address added_::_{count} email addresses added_" : ["1 е-пошта адреса е додадена","{count} е-пошта адреси се додадени"], + "Copy to clipboard" : "Копирај во клипборд", + "Copy internal link to clipboard" : "Копирај внатрешен линк во клипборд", + "Only works for people with access to this folder" : "Работи само за луѓе со пристап до оваа папка", + "Only works for people with access to this file" : "Работи само за луѓе со пристап до оваа датотека", + "Copy public link of \"{title}\" to clipboard" : "Копирај јавен линк во клипборд за \"{title}\"", + "Search globally" : "Пребарај глобално", "Search for share recipients" : "Пребарај за примачи на споделувањето", "No recommendations. Start typing." : "Нема препораки. Започнете со пишување.", "To upload files, you need to provide your name first." : "За да прикачите датотеки, мора да го наведете вашето име.", "Enter your name" : "Внесете го вашето име", "Submit name" : "Испрати име", + "Share with {userName}" : "Сподели со {userName}", + "Show sharing options" : "Прикажи параметри за споделување", "Share note" : "Споделување со забелешка ", "Upload files to %s" : "Прикачи датотеки во %s", "%s shared a folder with you." : "%s сподели папка со вас.", @@ -430,7 +426,12 @@ "Uploaded files:" : "Прикачени датотеки:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Со прикачување на датотеките, се согласувате со %1$sусловите за користење%2$s.", "Name" : "Име", + "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." : "Користете го овој метод за споделување датотеки со поединци или тимови во вашата организација. Ако примачот веќе има пристап до споделувањето, но не може да го лоцира, можете да му ја испратите внатрешната врска за споделување за лесен пристап.", + "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." : "Користете го овој метод за споделување датотеки со поединци или организации надвор од вашата организација. Датотеките и папките може да се споделуваат преку јавни линкови и адреси на е-пошта. Можете исто така да споделувате со други сметки на Nextcloud хостирани на различни истанци користејќи го нивниот федеративен ID.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Споделувања кои не се дел од внатрешни или надворешни споделувања. Ова може да биде споделување од апликации или други извори.", "Share with accounts, teams, federated cloud id" : "Сподели со корисници, тимови, федерални корисници", + "Share with accounts and teams" : "Сподели со корисници и тимови", + "Federated cloud ID" : "Федерален корисник", "Email, federated cloud id" : "Е-пошта, федерален ИД", "Filename must not be empty." : "Името на датотеката не може да биде празно." },"pluralForm" :"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;" diff --git a/apps/files_sharing/l10n/nb.js b/apps/files_sharing/l10n/nb.js index 60c151054fb..dc5d5b5e5f0 100644 --- a/apps/files_sharing/l10n/nb.js +++ b/apps/files_sharing/l10n/nb.js @@ -128,13 +128,13 @@ OC.L10N.register( "Generate a new password" : "Generer et nytt passord", "Your administrator has enforced a password protection." : "Systemansvarlig har håndhevet en passordbeskyttelse.", "Automatically copying failed, please copy the share link manually" : "Automatisk kopiering feilet, vennligst kopier delingslenken manuelt", - "Link copied to clipboard" : "Lenke kopiert til utklippstavlen", + "Link copied" : "Lenke kopiert", "Email already added" : "E-post allerede lagt til", "Invalid email address" : "Ugyldig e-postadresse", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Følgende e-postadresse er ikke gyldig: {emails}","Følgende e-postadresser er ikke gyldige:: {emails}"], "You can now share the link below to allow people to upload files to your directory." : "Du kan nå dele lenken nedenfor for å tillate folk å laste opp filer til katalogen din.", "Share link" : "Share link", - "Copy to clipboard" : "Kopiert til utklippstavlen", + "Copy" : "Kopi", "Send link via email" : "Send lenke via e-post", "Enter an email address or paste a list" : "Skriv inn en e-postadresse eller lim inn en liste", "Remove email" : "Fjern e-post", @@ -190,10 +190,7 @@ OC.L10N.register( "Via “{folder}”" : "Via “{folder}”", "Unshare" : "Opphev deling", "Cannot copy, please copy the link manually" : "Kan ikke kopiere, kopier lenken manuelt", - "Copy internal link to clipboard" : "Kopier intern lenke til utklippstavlen", - "Only works for people with access to this folder" : "Fungerer kun for personer med tilgang til denne mappen", - "Only works for people with access to this file" : "Fungerer kun for personer med tilgang til denne filen", - "Link copied" : "Lenke kopiert", + "Copy internal link" : "Kopier intern lenke", "Internal link" : "Intern lenke", "{shareWith} by {initiator}" : "{shareWith} av {initiator}", "Shared via link by {initiator}" : "Delt via lenke av {initiator}", @@ -204,7 +201,6 @@ OC.L10N.register( "Share link ({index})" : "Del lenke ({index})", "Create public link" : "Opprett offentlig kobling", "Actions for \"{title}\"" : "Valg for \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Kopier den offentlige lenken til \"{title}\" til utklippstavlen", "Error, please enter proper password and/or expiration date" : "Feil, vennligst skriv inn riktig passord og/eller utløpsdato", "Link share created" : "Lenkedeling opprettet", "Error while creating the share" : "Feil under oppretting av delingen", @@ -226,7 +222,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Navn, epost eller sammenknyttet sky-ID ...", "Searching …" : "Søker ...", "No elements found." : "Ingen elementer funnet.", - "Search globally" : "Søk globalt", + "Search everywhere" : "Søk overalt", "Guest" : "Gjest", "Group" : "Gruppe", "Email" : "E-post", @@ -242,7 +238,6 @@ OC.L10N.register( "By uploading files, you agree to the terms of service." : "Ved å laste opp filer godtar du bruksvilkårene.", "View terms of service" : "Vis bruksvilkårene", "Terms of service" : "Betingelser for tjenesten", - "Share with {userName}" : "Del med {userName}", "Share with email {email}" : "Del med e-post {email}", "Share with group" : "Del med gruppe", "Share in conversation" : "Del i samtalen", @@ -291,7 +286,6 @@ OC.L10N.register( "Shared" : "Delt", "Shared by {ownerDisplayName}" : "Delt av {ownerDisplayName}", "Shared multiple times with different people" : "Del flere ganger med forskjellige personer", - "Show sharing options" : "Vis alternativer for deling", "Shared with others" : "Delt med andre", "Create file request" : "Opprett filforespørsel", "Upload files to {foldername}" : "Last opp filer til {foldername}", @@ -359,13 +353,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Feil oppsto under oppretting av offentlig lenke til din Nextcloud", "You are not allowed to edit link shares that you don't own" : "Du har ikke lov til å redigere delte lenker du ikke eier", "Download all files" : "Last ned alle filer", + "Link copied to clipboard" : "Lenke kopiert til utklippstavlen", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-postadresse allerede lagt til","{count} e-postadresser allerede lagt til"], "_1 email address added_::_{count} email addresses added_" : ["1 e-postadresse lagt til","{count} e-postadresser lagt til"], + "Copy to clipboard" : "Kopiert til utklippstavlen", + "Copy internal link to clipboard" : "Kopier intern lenke til utklippstavlen", + "Only works for people with access to this folder" : "Fungerer kun for personer med tilgang til denne mappen", + "Only works for people with access to this file" : "Fungerer kun for personer med tilgang til denne filen", + "Copy public link of \"{title}\" to clipboard" : "Kopier den offentlige lenken til \"{title}\" til utklippstavlen", + "Search globally" : "Søk globalt", "Search for share recipients" : "Søk etter delingsmottakere", "No recommendations. Start typing." : "Ingen forslag. Start skriving.", "To upload files, you need to provide your name first." : "For å laste opp filer må du først oppgi navnet ditt.", "Enter your name" : "Skriv inn navnet ditt", "Submit name" : "Send inn navn", + "Share with {userName}" : "Del med {userName}", + "Show sharing options" : "Vis alternativer for deling", "Share note" : "Delingsnotat", "Upload files to %s" : "Last opp filer til %s", "%s shared a folder with you." : "%s delte en mappe med deg.", diff --git a/apps/files_sharing/l10n/nb.json b/apps/files_sharing/l10n/nb.json index fab0e4526bb..40f10e48abc 100644 --- a/apps/files_sharing/l10n/nb.json +++ b/apps/files_sharing/l10n/nb.json @@ -126,13 +126,13 @@ "Generate a new password" : "Generer et nytt passord", "Your administrator has enforced a password protection." : "Systemansvarlig har håndhevet en passordbeskyttelse.", "Automatically copying failed, please copy the share link manually" : "Automatisk kopiering feilet, vennligst kopier delingslenken manuelt", - "Link copied to clipboard" : "Lenke kopiert til utklippstavlen", + "Link copied" : "Lenke kopiert", "Email already added" : "E-post allerede lagt til", "Invalid email address" : "Ugyldig e-postadresse", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Følgende e-postadresse er ikke gyldig: {emails}","Følgende e-postadresser er ikke gyldige:: {emails}"], "You can now share the link below to allow people to upload files to your directory." : "Du kan nå dele lenken nedenfor for å tillate folk å laste opp filer til katalogen din.", "Share link" : "Share link", - "Copy to clipboard" : "Kopiert til utklippstavlen", + "Copy" : "Kopi", "Send link via email" : "Send lenke via e-post", "Enter an email address or paste a list" : "Skriv inn en e-postadresse eller lim inn en liste", "Remove email" : "Fjern e-post", @@ -188,10 +188,7 @@ "Via “{folder}”" : "Via “{folder}”", "Unshare" : "Opphev deling", "Cannot copy, please copy the link manually" : "Kan ikke kopiere, kopier lenken manuelt", - "Copy internal link to clipboard" : "Kopier intern lenke til utklippstavlen", - "Only works for people with access to this folder" : "Fungerer kun for personer med tilgang til denne mappen", - "Only works for people with access to this file" : "Fungerer kun for personer med tilgang til denne filen", - "Link copied" : "Lenke kopiert", + "Copy internal link" : "Kopier intern lenke", "Internal link" : "Intern lenke", "{shareWith} by {initiator}" : "{shareWith} av {initiator}", "Shared via link by {initiator}" : "Delt via lenke av {initiator}", @@ -202,7 +199,6 @@ "Share link ({index})" : "Del lenke ({index})", "Create public link" : "Opprett offentlig kobling", "Actions for \"{title}\"" : "Valg for \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Kopier den offentlige lenken til \"{title}\" til utklippstavlen", "Error, please enter proper password and/or expiration date" : "Feil, vennligst skriv inn riktig passord og/eller utløpsdato", "Link share created" : "Lenkedeling opprettet", "Error while creating the share" : "Feil under oppretting av delingen", @@ -224,7 +220,7 @@ "Name, email, or Federated Cloud ID …" : "Navn, epost eller sammenknyttet sky-ID ...", "Searching …" : "Søker ...", "No elements found." : "Ingen elementer funnet.", - "Search globally" : "Søk globalt", + "Search everywhere" : "Søk overalt", "Guest" : "Gjest", "Group" : "Gruppe", "Email" : "E-post", @@ -240,7 +236,6 @@ "By uploading files, you agree to the terms of service." : "Ved å laste opp filer godtar du bruksvilkårene.", "View terms of service" : "Vis bruksvilkårene", "Terms of service" : "Betingelser for tjenesten", - "Share with {userName}" : "Del med {userName}", "Share with email {email}" : "Del med e-post {email}", "Share with group" : "Del med gruppe", "Share in conversation" : "Del i samtalen", @@ -289,7 +284,6 @@ "Shared" : "Delt", "Shared by {ownerDisplayName}" : "Delt av {ownerDisplayName}", "Shared multiple times with different people" : "Del flere ganger med forskjellige personer", - "Show sharing options" : "Vis alternativer for deling", "Shared with others" : "Delt med andre", "Create file request" : "Opprett filforespørsel", "Upload files to {foldername}" : "Last opp filer til {foldername}", @@ -357,13 +351,22 @@ "Failed to add the public link to your Nextcloud" : "Feil oppsto under oppretting av offentlig lenke til din Nextcloud", "You are not allowed to edit link shares that you don't own" : "Du har ikke lov til å redigere delte lenker du ikke eier", "Download all files" : "Last ned alle filer", + "Link copied to clipboard" : "Lenke kopiert til utklippstavlen", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-postadresse allerede lagt til","{count} e-postadresser allerede lagt til"], "_1 email address added_::_{count} email addresses added_" : ["1 e-postadresse lagt til","{count} e-postadresser lagt til"], + "Copy to clipboard" : "Kopiert til utklippstavlen", + "Copy internal link to clipboard" : "Kopier intern lenke til utklippstavlen", + "Only works for people with access to this folder" : "Fungerer kun for personer med tilgang til denne mappen", + "Only works for people with access to this file" : "Fungerer kun for personer med tilgang til denne filen", + "Copy public link of \"{title}\" to clipboard" : "Kopier den offentlige lenken til \"{title}\" til utklippstavlen", + "Search globally" : "Søk globalt", "Search for share recipients" : "Søk etter delingsmottakere", "No recommendations. Start typing." : "Ingen forslag. Start skriving.", "To upload files, you need to provide your name first." : "For å laste opp filer må du først oppgi navnet ditt.", "Enter your name" : "Skriv inn navnet ditt", "Submit name" : "Send inn navn", + "Share with {userName}" : "Del med {userName}", + "Show sharing options" : "Vis alternativer for deling", "Share note" : "Delingsnotat", "Upload files to %s" : "Last opp filer til %s", "%s shared a folder with you." : "%s delte en mappe med deg.", diff --git a/apps/files_sharing/l10n/nl.js b/apps/files_sharing/l10n/nl.js index b5d0fce48cb..b65514dae47 100644 --- a/apps/files_sharing/l10n/nl.js +++ b/apps/files_sharing/l10n/nl.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Genereer een nieuw wachtwoord", "Your administrator has enforced a password protection." : "Je beheerder heeft wachtwoordbeveiliging verplicht gesteld.", "Automatically copying failed, please copy the share link manually" : "Automatisch kopiëren mislukt. Kopieer de link handmatig a.u.b.", - "Link copied to clipboard" : "Link gekopieerd naar het klembord", + "Link copied" : "Link gekopieerd", "Email already added" : "E-mail al toegevoegd", "Invalid email address" : "Ongeldig e-mailadres", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Het volgende e-mailadres is niet geldig: {emails}","De volgende e-mailadressen zijn niet geldig: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count} E-mailadres toegevoegd","{count} E-mailadressen toegevoegd"], "You can now share the link below to allow people to upload files to your directory." : "Je kan nu onderstaande link delen om anderen toe te staan bestanden naar je map te uploaden.", "Share link" : "Delen link", - "Copy to clipboard" : "Kopiëren naar het klembord", + "Copy" : "Kopiëren", "Send link via email" : "Versturen link via e-mail", "Enter an email address or paste a list" : "Voer e-mailadres in of plak een lijst", "Remove email" : "Verwijder e-mail", @@ -201,10 +201,7 @@ OC.L10N.register( "Via “{folder}”" : "Via “{folder}”", "Unshare" : "Delen stoppen", "Cannot copy, please copy the link manually" : "Kan niet kopiëren, kopieer de link handmatig", - "Copy internal link to clipboard" : "Kopieer interne link naar klembord", - "Only works for people with access to this folder" : "Werkt alleen voor gebruikers met toegang tot deze map", - "Only works for people with access to this file" : "Dit werkt alleen voor gebruikers met toegang tot dit bestand", - "Link copied" : "Link gekopieerd", + "Copy internal link" : "Kopieer interne link", "Internal link" : "Interne link", "{shareWith} by {initiator}" : "{shareWith} door {initiator}", "Shared via link by {initiator}" : "Gedeeld via link door {initiator}", @@ -215,7 +212,6 @@ OC.L10N.register( "Share link ({index})" : "Deellink ({index})", "Create public link" : "Creëer openbare link", "Actions for \"{title}\"" : "Acties voor \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Kopiëren openbare link van \"{title}\" naar klembord", "Error, please enter proper password and/or expiration date" : "Fout. geef een geldig wachtwoord op en/of een vervaldatum", "Link share created" : "Te delen share gemaakt", "Error while creating the share" : "Fout bij maken share", @@ -241,7 +237,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Naam, e-mailadres of gefedereerde Cloud-ID …", "Searching …" : "Zoeken ...", "No elements found." : "Geen elementen gevonden.", - "Search globally" : "Zoek door alles", + "Search everywhere" : "Zoek in alles", "Guest" : "Gast", "Group" : "Groep", "Email" : "E-mail", @@ -260,7 +256,6 @@ OC.L10N.register( "Successfully uploaded files" : "Succesvol geüploade bestanden", "View terms of service" : "Toon gebruiksvoorwaarden", "Terms of service" : "Gebruiksvoorwaarden", - "Share with {userName}" : "Deel met {userName}", "Share with email {email}" : "Deel met e-mail {email}", "Share with group" : "Deel met groep", "Share in conversation" : "Deel in gesprek", @@ -305,13 +300,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Kon overerfde shares niet ophalen", "Link shares" : "Deel shares", "Shares" : "Shares", - "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." : "Gebruik deze methode om bestanden te delen met personen of teams binnen je organisatie. Als de ontvanger al toegang heeft tot de share, maar deze niet kan lokaliseren, kun je deze de interne share-link sturen voor gemakkelijke toegang.", - "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." : "Gebruik deze methode om bestanden te delen met personen of organisaties buiten je organisatie. Bestanden en mappen kunnen worden gedeeld via openbare deellinks en e-mailadressen. Je kunt ook delen met andere Nextcloud-accounts die in verschillende instanties worden gehost met behulp van hun federatieve cloud-ID.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Shares die geen deel uitmaken van de interne of externe shares. Dit kunnen shares zijn van apps of andere bronnen.", - "Share with accounts, teams, federated cloud IDs" : "Delen met accounts, teams, federatieve cloud-ID's", - "Share with accounts and teams" : "Delen met accounts en teams", - "Federated cloud ID" : "Federatieve cloud-ID", - "Email, federated cloud ID" : "E-mail, federatieve cloud-ID", "Unable to load the shares list" : "Kon de shares-lijst niet laden", "Expires {relativetime}" : "Vervalt {relativetime}", "this share just expired." : "deze share is net verlopen.", @@ -330,7 +318,6 @@ OC.L10N.register( "Shared" : "Gedeeld", "Shared by {ownerDisplayName}" : "Gedeeld door {ownerDisplayName}", "Shared multiple times with different people" : "Meerdere keren gedeeld met verschillende mensen", - "Show sharing options" : "Toon deelopties", "Shared with others" : "Gedeeld met anderen", "Create file request" : "Maak bestandsaanvraag", "Upload files to {foldername}" : "Upload bestanden naar {foldername}", @@ -417,13 +404,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Kon de openbare link niet aan je Nextcloud toevoegen", "You are not allowed to edit link shares that you don't own" : "Je mag geen linkshares bewerken die je niet bezit", "Download all files" : "Download alle bestanden", + "Link copied to clipboard" : "Link gekopieerd naar het klembord", "_1 email address already added_::_{count} email addresses already added_" : ["1 E-mailadres al toegevoegd","Al {count} e-mailadressen toegevoegd"], "_1 email address added_::_{count} email addresses added_" : ["1 E-mailadres toegevoegd","{count} E-mailadressen toegevoegd"], + "Copy to clipboard" : "Kopiëren naar het klembord", + "Copy internal link to clipboard" : "Kopieer interne link naar klembord", + "Only works for people with access to this folder" : "Werkt alleen voor gebruikers met toegang tot deze map", + "Only works for people with access to this file" : "Dit werkt alleen voor gebruikers met toegang tot dit bestand", + "Copy public link of \"{title}\" to clipboard" : "Kopiëren openbare link van \"{title}\" naar klembord", + "Search globally" : "Zoek door alles", "Search for share recipients" : "Zoek om mee te delen", "No recommendations. Start typing." : "Geen aanbevelingen. Begin te typen.", "To upload files, you need to provide your name first." : "Om bestanden te uploaden moet je eerste je naam opgeven.", "Enter your name" : "Geef je naam op", "Submit name" : "Naam doorgeven", + "Share with {userName}" : "Deel met {userName}", + "Show sharing options" : "Toon deelopties", "Share note" : "Notitie delen", "Upload files to %s" : "Upload bestanden naar %s", "%s shared a folder with you." : "%s heeft een map met je gedeeld", @@ -433,7 +429,12 @@ OC.L10N.register( "Uploaded files:" : "Geüploade bestanden", "By uploading files, you agree to the %1$sterms of service%2$s." : "Door het uploaden van bestanden stem je in met de %1$sgebruiksvoorwaarden%2$s.", "Name" : "Naam", + "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." : "Gebruik deze methode om bestanden te delen met personen of teams binnen je organisatie. Als de ontvanger al toegang heeft tot de share, maar deze niet kan lokaliseren, kun je deze de interne share-link sturen voor gemakkelijke toegang.", + "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." : "Gebruik deze methode om bestanden te delen met personen of organisaties buiten je organisatie. Bestanden en mappen kunnen worden gedeeld via openbare deellinks en e-mailadressen. Je kunt ook delen met andere Nextcloud-accounts die in verschillende instanties worden gehost met behulp van hun federatieve cloud-ID.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Shares die geen deel uitmaken van de interne of externe shares. Dit kunnen shares zijn van apps of andere bronnen.", "Share with accounts, teams, federated cloud id" : "Delen met accounts, teams, federatieve cloud-ID", + "Share with accounts and teams" : "Delen met accounts en teams", + "Federated cloud ID" : "Federatieve cloud-ID", "Email, federated cloud id" : "E-mail, federatieve cloud-ID", "Filename must not be empty." : "Bestandsnaam mag niet leeg zijn" }, diff --git a/apps/files_sharing/l10n/nl.json b/apps/files_sharing/l10n/nl.json index 5fa8137aef9..489f85be98f 100644 --- a/apps/files_sharing/l10n/nl.json +++ b/apps/files_sharing/l10n/nl.json @@ -132,7 +132,7 @@ "Generate a new password" : "Genereer een nieuw wachtwoord", "Your administrator has enforced a password protection." : "Je beheerder heeft wachtwoordbeveiliging verplicht gesteld.", "Automatically copying failed, please copy the share link manually" : "Automatisch kopiëren mislukt. Kopieer de link handmatig a.u.b.", - "Link copied to clipboard" : "Link gekopieerd naar het klembord", + "Link copied" : "Link gekopieerd", "Email already added" : "E-mail al toegevoegd", "Invalid email address" : "Ongeldig e-mailadres", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Het volgende e-mailadres is niet geldig: {emails}","De volgende e-mailadressen zijn niet geldig: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count} E-mailadres toegevoegd","{count} E-mailadressen toegevoegd"], "You can now share the link below to allow people to upload files to your directory." : "Je kan nu onderstaande link delen om anderen toe te staan bestanden naar je map te uploaden.", "Share link" : "Delen link", - "Copy to clipboard" : "Kopiëren naar het klembord", + "Copy" : "Kopiëren", "Send link via email" : "Versturen link via e-mail", "Enter an email address or paste a list" : "Voer e-mailadres in of plak een lijst", "Remove email" : "Verwijder e-mail", @@ -199,10 +199,7 @@ "Via “{folder}”" : "Via “{folder}”", "Unshare" : "Delen stoppen", "Cannot copy, please copy the link manually" : "Kan niet kopiëren, kopieer de link handmatig", - "Copy internal link to clipboard" : "Kopieer interne link naar klembord", - "Only works for people with access to this folder" : "Werkt alleen voor gebruikers met toegang tot deze map", - "Only works for people with access to this file" : "Dit werkt alleen voor gebruikers met toegang tot dit bestand", - "Link copied" : "Link gekopieerd", + "Copy internal link" : "Kopieer interne link", "Internal link" : "Interne link", "{shareWith} by {initiator}" : "{shareWith} door {initiator}", "Shared via link by {initiator}" : "Gedeeld via link door {initiator}", @@ -213,7 +210,6 @@ "Share link ({index})" : "Deellink ({index})", "Create public link" : "Creëer openbare link", "Actions for \"{title}\"" : "Acties voor \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Kopiëren openbare link van \"{title}\" naar klembord", "Error, please enter proper password and/or expiration date" : "Fout. geef een geldig wachtwoord op en/of een vervaldatum", "Link share created" : "Te delen share gemaakt", "Error while creating the share" : "Fout bij maken share", @@ -239,7 +235,7 @@ "Name, email, or Federated Cloud ID …" : "Naam, e-mailadres of gefedereerde Cloud-ID …", "Searching …" : "Zoeken ...", "No elements found." : "Geen elementen gevonden.", - "Search globally" : "Zoek door alles", + "Search everywhere" : "Zoek in alles", "Guest" : "Gast", "Group" : "Groep", "Email" : "E-mail", @@ -258,7 +254,6 @@ "Successfully uploaded files" : "Succesvol geüploade bestanden", "View terms of service" : "Toon gebruiksvoorwaarden", "Terms of service" : "Gebruiksvoorwaarden", - "Share with {userName}" : "Deel met {userName}", "Share with email {email}" : "Deel met e-mail {email}", "Share with group" : "Deel met groep", "Share in conversation" : "Deel in gesprek", @@ -303,13 +298,6 @@ "Unable to fetch inherited shares" : "Kon overerfde shares niet ophalen", "Link shares" : "Deel shares", "Shares" : "Shares", - "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." : "Gebruik deze methode om bestanden te delen met personen of teams binnen je organisatie. Als de ontvanger al toegang heeft tot de share, maar deze niet kan lokaliseren, kun je deze de interne share-link sturen voor gemakkelijke toegang.", - "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." : "Gebruik deze methode om bestanden te delen met personen of organisaties buiten je organisatie. Bestanden en mappen kunnen worden gedeeld via openbare deellinks en e-mailadressen. Je kunt ook delen met andere Nextcloud-accounts die in verschillende instanties worden gehost met behulp van hun federatieve cloud-ID.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Shares die geen deel uitmaken van de interne of externe shares. Dit kunnen shares zijn van apps of andere bronnen.", - "Share with accounts, teams, federated cloud IDs" : "Delen met accounts, teams, federatieve cloud-ID's", - "Share with accounts and teams" : "Delen met accounts en teams", - "Federated cloud ID" : "Federatieve cloud-ID", - "Email, federated cloud ID" : "E-mail, federatieve cloud-ID", "Unable to load the shares list" : "Kon de shares-lijst niet laden", "Expires {relativetime}" : "Vervalt {relativetime}", "this share just expired." : "deze share is net verlopen.", @@ -328,7 +316,6 @@ "Shared" : "Gedeeld", "Shared by {ownerDisplayName}" : "Gedeeld door {ownerDisplayName}", "Shared multiple times with different people" : "Meerdere keren gedeeld met verschillende mensen", - "Show sharing options" : "Toon deelopties", "Shared with others" : "Gedeeld met anderen", "Create file request" : "Maak bestandsaanvraag", "Upload files to {foldername}" : "Upload bestanden naar {foldername}", @@ -415,13 +402,22 @@ "Failed to add the public link to your Nextcloud" : "Kon de openbare link niet aan je Nextcloud toevoegen", "You are not allowed to edit link shares that you don't own" : "Je mag geen linkshares bewerken die je niet bezit", "Download all files" : "Download alle bestanden", + "Link copied to clipboard" : "Link gekopieerd naar het klembord", "_1 email address already added_::_{count} email addresses already added_" : ["1 E-mailadres al toegevoegd","Al {count} e-mailadressen toegevoegd"], "_1 email address added_::_{count} email addresses added_" : ["1 E-mailadres toegevoegd","{count} E-mailadressen toegevoegd"], + "Copy to clipboard" : "Kopiëren naar het klembord", + "Copy internal link to clipboard" : "Kopieer interne link naar klembord", + "Only works for people with access to this folder" : "Werkt alleen voor gebruikers met toegang tot deze map", + "Only works for people with access to this file" : "Dit werkt alleen voor gebruikers met toegang tot dit bestand", + "Copy public link of \"{title}\" to clipboard" : "Kopiëren openbare link van \"{title}\" naar klembord", + "Search globally" : "Zoek door alles", "Search for share recipients" : "Zoek om mee te delen", "No recommendations. Start typing." : "Geen aanbevelingen. Begin te typen.", "To upload files, you need to provide your name first." : "Om bestanden te uploaden moet je eerste je naam opgeven.", "Enter your name" : "Geef je naam op", "Submit name" : "Naam doorgeven", + "Share with {userName}" : "Deel met {userName}", + "Show sharing options" : "Toon deelopties", "Share note" : "Notitie delen", "Upload files to %s" : "Upload bestanden naar %s", "%s shared a folder with you." : "%s heeft een map met je gedeeld", @@ -431,7 +427,12 @@ "Uploaded files:" : "Geüploade bestanden", "By uploading files, you agree to the %1$sterms of service%2$s." : "Door het uploaden van bestanden stem je in met de %1$sgebruiksvoorwaarden%2$s.", "Name" : "Naam", + "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." : "Gebruik deze methode om bestanden te delen met personen of teams binnen je organisatie. Als de ontvanger al toegang heeft tot de share, maar deze niet kan lokaliseren, kun je deze de interne share-link sturen voor gemakkelijke toegang.", + "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." : "Gebruik deze methode om bestanden te delen met personen of organisaties buiten je organisatie. Bestanden en mappen kunnen worden gedeeld via openbare deellinks en e-mailadressen. Je kunt ook delen met andere Nextcloud-accounts die in verschillende instanties worden gehost met behulp van hun federatieve cloud-ID.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Shares die geen deel uitmaken van de interne of externe shares. Dit kunnen shares zijn van apps of andere bronnen.", "Share with accounts, teams, federated cloud id" : "Delen met accounts, teams, federatieve cloud-ID", + "Share with accounts and teams" : "Delen met accounts en teams", + "Federated cloud ID" : "Federatieve cloud-ID", "Email, federated cloud id" : "E-mail, federatieve cloud-ID", "Filename must not be empty." : "Bestandsnaam mag niet leeg zijn" },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_sharing/l10n/pl.js b/apps/files_sharing/l10n/pl.js index 47109393c25..0bca4bd37e5 100644 --- a/apps/files_sharing/l10n/pl.js +++ b/apps/files_sharing/l10n/pl.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Wygeneruj nowe hasło", "Your administrator has enforced a password protection." : "Administrator wymusił ochronę hasłem.", "Automatically copying failed, please copy the share link manually" : "Automatyczne kopiowanie nie powiodło się. Skopiuj ręcznie odnośnik udostępniania", - "Link copied to clipboard" : "Link skopiowany do schowka", + "Link copied" : "Link skopiowany", "Email already added" : "Adres e-mail został już dodany", "Invalid email address" : "Nieprawidłowy adres e-mail", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Podany adres e-mail jest nieprawidłowy: {emails}","Poniższe adresy e-mail są nieprawidłowe: {emails}","Poniższe adresy e-mail są nieprawidłowe: {emails}","Poniższe adresy e-mail są nieprawidłowe: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["Dodano {count} adres e-mail","Dodano {count} adresy e-mail","Dodano {count} adresów e-mail","Dodano {count} adresów e-mail"], "You can now share the link below to allow people to upload files to your directory." : "Możesz teraz udostępnić poniższy odnośnik, aby umożliwić innym przesyłanie plików do Twojego katalogu.", "Share link" : "Udostępnij link", - "Copy to clipboard" : "Kopiuj do schowka", + "Copy" : "Skopiuj", "Send link via email" : "Wyślij link mailem", "Enter an email address or paste a list" : "Wpisz adres e-mail lub wklej listę", "Remove email" : "Usuń e-mail", @@ -201,10 +201,8 @@ OC.L10N.register( "Via “{folder}”" : "Przez “{folder}”", "Unshare" : "Zatrzymaj udostępnianie", "Cannot copy, please copy the link manually" : "Nie można skopiować, spróbuj skopiować link ręcznie", - "Copy internal link to clipboard" : "Kopiuj link wewnętrzny do schowka", - "Only works for people with access to this folder" : "Działa tylko dla osób z dostępem do tego katalogu", - "Only works for people with access to this file" : "Działa tylko dla osób z dostępem do tego pliku", - "Link copied" : "Link skopiowany", + "Copy internal link" : "Kopiuj link wewnętrzny", + "For people who already have access" : "Dla osób, które już mają dostęp", "Internal link" : "Link wewnętrzny", "{shareWith} by {initiator}" : "{shareWith} przez {initiator}", "Shared via link by {initiator}" : "Udostępnione przez link od {initiator}", @@ -215,7 +213,7 @@ OC.L10N.register( "Share link ({index})" : "Udostępnij link ({index})", "Create public link" : "Utwórz link publiczny", "Actions for \"{title}\"" : "Akcje dla \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Kopiuj link publiczny dla \"{title}\" do schowka", + "Copy public link of \"{title}\"" : "Kopiuj publiczny link do \"{title}\"", "Error, please enter proper password and/or expiration date" : "Błąd, wprowadź prawidłowe hasło i/lub datę ważności", "Link share created" : "Utworzony link udostępniania", "Error while creating the share" : "Błąd podczas tworzenia udostępniania", @@ -241,7 +239,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Nazwa, adres e-mail lub ID Chmury Federacyjnej…", "Searching …" : "Wyszukiwanie…", "No elements found." : "Nie znaleziono elementów.", - "Search globally" : "Szukaj globalnie", + "Search everywhere" : "Szukaj wszędzie", "Guest" : "Gość", "Group" : "Grupa", "Email" : "E-mail", @@ -260,7 +258,7 @@ OC.L10N.register( "Successfully uploaded files" : "Pomyślnie przesłano pliki", "View terms of service" : "Zobacz warunki korzystania z usługi", "Terms of service" : "Warunki usługi", - "Share with {userName}" : "Podziel się z {userName}", + "Share with {user}" : "Udostępnij {user}", "Share with email {email}" : "Udostępnij na e-mail {email}", "Share with group" : "Udostępnij grupie", "Share in conversation" : "Udostępnij w rozmowie", @@ -305,13 +303,14 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Nie można pobrać odziedziczonych udostępnień", "Link shares" : "Udostępnianie linków", "Shares" : "Udostępnienia", - "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." : "Użyj tej metody, aby udostępniać pliki osobom lub zespołom w swojej organizacji. Jeśli odbiorca ma już dostęp do udostępnionego pliku, ale nie może go zlokalizować, możesz wysłać mu wewnętrzny link do udostępniania, aby ułatwić dostęp.", - "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." : "Użyj tej metody, aby udostępniać pliki osobom lub organizacjom spoza Twojej organizacji. Pliki i katalogi można udostępniać za pośrednictwem publicznych linków udostępniania i adresów e-mail. Możesz również udostępniać pliki innym kontom Nextcloud hostowanym na różnych instancjach, używając ich identyfikatora Chmury Federacyjnej.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Udostępnienia, które nie są częścią udostępnień wewnętrznych lub zewnętrznych. Mogą to być udostępnienia z aplikacji lub innych źródeł.", - "Share with accounts, teams, federated cloud IDs" : "Udostępnij kontom, zespołom, federacyjnym identyfikatorom chmury", - "Share with accounts and teams" : "Udostępnij kontom i zespołom", - "Federated cloud ID" : "Federacyjny identyfikator chmury", - "Email, federated cloud ID" : "E-mail, federacyjny identyfikator chmury", + "Share files within your organization. Recipients who can already view the file can also use this link for easy access." : "Udostępniaj pliki w swojej organizacji. Odbiorcy, którzy już mogą wyświetlać plik, mogą także użyć tego linku dla łatwiejszego dostępu.", + "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID." : "Udostępniaj pliki osobom spoza organizacji poprzez publiczne linki i adresy e-mail. Możesz także udostępniać na konta Nextcloud w innych instancjach, używając ich federacyjnego identyfikatora chmury.", + "Shares from apps or other sources which are not included in internal or external shares." : "Udostępnienia z aplikacji lub innych źródeł, które nie są uwzględnione w udostępnieniach wewnętrznych lub zewnętrznych.", + "Type names, teams, federated cloud IDs" : "Wpisz nazwy, zespoły, identyfikatory federacyjnej chmury", + "Type names or teams" : "Wpisz nazwy lub zespoły", + "Type a federated cloud ID" : "Wpisz identyfikator federacyjnej chmury", + "Type an email" : "Wpisz adres e-mail", + "Type an email or federated cloud ID" : "Wpisz adres e-mail lub identyfikator federacyjnej chmury", "Unable to load the shares list" : "Nie można pobrać listy udostępnień", "Expires {relativetime}" : "Wygasa {relativetime}", "this share just expired." : "te udostępnienie właśnie wygasło.", @@ -330,7 +329,7 @@ OC.L10N.register( "Shared" : "Udostępniono", "Shared by {ownerDisplayName}" : "Udostępnione przez {ownerDisplayName}", "Shared multiple times with different people" : "Udostępniony wiele razy różnym osobom", - "Show sharing options" : "Pokaż opcje udostępniania", + "Sharing options" : "Opcje udostępniania", "Shared with others" : "Udostępnione innym", "Create file request" : "Utwórz prośbę o plik", "Upload files to {foldername}" : "Prześlij pliki do {foldername}", @@ -417,13 +416,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Nie udało się dodać linku publicznego do Nextcloud", "You are not allowed to edit link shares that you don't own" : "Nie możesz modyfikować udostępnionych odnośników, których nie jesteś właścicielem", "Download all files" : "Pobierz wszystkie pliki", + "Link copied to clipboard" : "Link skopiowany do schowka", "_1 email address already added_::_{count} email addresses already added_" : ["Dodano już 1 adres e-mail","Dodano już {count} adresy e-mail","Dodano już {count} adresów e-mail","Dodano już {count} adresów e-mail"], "_1 email address added_::_{count} email addresses added_" : ["Dodano 1 adres e-mail","Dodano {count} adresy e-mail","Dodano {count} adresów e-mail","Dodano {count} adresów e-mail"], + "Copy to clipboard" : "Kopiuj do schowka", + "Copy internal link to clipboard" : "Kopiuj link wewnętrzny do schowka", + "Only works for people with access to this folder" : "Działa tylko dla osób z dostępem do tego katalogu", + "Only works for people with access to this file" : "Działa tylko dla osób z dostępem do tego pliku", + "Copy public link of \"{title}\" to clipboard" : "Kopiuj link publiczny dla \"{title}\" do schowka", + "Search globally" : "Szukaj globalnie", "Search for share recipients" : "Szukaj odbiorców udostępnienia", "No recommendations. Start typing." : "Brak rekomendacji. Możesz napisać.", "To upload files, you need to provide your name first." : "Aby przesłać pliki, musisz najpierw podać swoje imię i nazwisko.", "Enter your name" : "Wpisz swoją nazwę", "Submit name" : "Wyślij nazwę", + "Share with {userName}" : "Podziel się z {userName}", + "Show sharing options" : "Pokaż opcje udostępniania", "Share note" : "Notatka udostępnienia", "Upload files to %s" : "Wyślij pliki do %s", "%s shared a folder with you." : "%s udostępnił Ci katalog.", @@ -433,7 +441,12 @@ OC.L10N.register( "Uploaded files:" : "Wysłane pliki:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Wysyłając pliki, zgadzasz się na %1$swarunki korzystania z usługi%2$s.", "Name" : "Nazwa", + "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." : "Użyj tej metody, aby udostępniać pliki osobom lub zespołom w swojej organizacji. Jeśli odbiorca ma już dostęp do udostępnionego pliku, ale nie może go zlokalizować, możesz wysłać mu wewnętrzny link do udostępniania, aby ułatwić dostęp.", + "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." : "Użyj tej metody, aby udostępniać pliki osobom lub organizacjom spoza Twojej organizacji. Pliki i katalogi można udostępniać za pośrednictwem publicznych linków udostępniania i adresów e-mail. Możesz również udostępniać pliki innym kontom Nextcloud hostowanym na różnych instancjach, używając ich identyfikatora Chmury Federacyjnej.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Udostępnienia, które nie są częścią udostępnień wewnętrznych lub zewnętrznych. Mogą to być udostępnienia z aplikacji lub innych źródeł.", "Share with accounts, teams, federated cloud id" : "Udostępnij kontom, zespołom, ID Chmury Federacyjnej", + "Share with accounts and teams" : "Udostępnij kontom i zespołom", + "Federated cloud ID" : "Federacyjny identyfikator chmury", "Email, federated cloud id" : "E-mail, ID Chmury Federacyjnej", "Filename must not be empty." : "Nazwa pliku nie może być pusta." }, diff --git a/apps/files_sharing/l10n/pl.json b/apps/files_sharing/l10n/pl.json index fcc88eb97ad..9094487ffe2 100644 --- a/apps/files_sharing/l10n/pl.json +++ b/apps/files_sharing/l10n/pl.json @@ -132,7 +132,7 @@ "Generate a new password" : "Wygeneruj nowe hasło", "Your administrator has enforced a password protection." : "Administrator wymusił ochronę hasłem.", "Automatically copying failed, please copy the share link manually" : "Automatyczne kopiowanie nie powiodło się. Skopiuj ręcznie odnośnik udostępniania", - "Link copied to clipboard" : "Link skopiowany do schowka", + "Link copied" : "Link skopiowany", "Email already added" : "Adres e-mail został już dodany", "Invalid email address" : "Nieprawidłowy adres e-mail", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Podany adres e-mail jest nieprawidłowy: {emails}","Poniższe adresy e-mail są nieprawidłowe: {emails}","Poniższe adresy e-mail są nieprawidłowe: {emails}","Poniższe adresy e-mail są nieprawidłowe: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["Dodano {count} adres e-mail","Dodano {count} adresy e-mail","Dodano {count} adresów e-mail","Dodano {count} adresów e-mail"], "You can now share the link below to allow people to upload files to your directory." : "Możesz teraz udostępnić poniższy odnośnik, aby umożliwić innym przesyłanie plików do Twojego katalogu.", "Share link" : "Udostępnij link", - "Copy to clipboard" : "Kopiuj do schowka", + "Copy" : "Skopiuj", "Send link via email" : "Wyślij link mailem", "Enter an email address or paste a list" : "Wpisz adres e-mail lub wklej listę", "Remove email" : "Usuń e-mail", @@ -199,10 +199,8 @@ "Via “{folder}”" : "Przez “{folder}”", "Unshare" : "Zatrzymaj udostępnianie", "Cannot copy, please copy the link manually" : "Nie można skopiować, spróbuj skopiować link ręcznie", - "Copy internal link to clipboard" : "Kopiuj link wewnętrzny do schowka", - "Only works for people with access to this folder" : "Działa tylko dla osób z dostępem do tego katalogu", - "Only works for people with access to this file" : "Działa tylko dla osób z dostępem do tego pliku", - "Link copied" : "Link skopiowany", + "Copy internal link" : "Kopiuj link wewnętrzny", + "For people who already have access" : "Dla osób, które już mają dostęp", "Internal link" : "Link wewnętrzny", "{shareWith} by {initiator}" : "{shareWith} przez {initiator}", "Shared via link by {initiator}" : "Udostępnione przez link od {initiator}", @@ -213,7 +211,7 @@ "Share link ({index})" : "Udostępnij link ({index})", "Create public link" : "Utwórz link publiczny", "Actions for \"{title}\"" : "Akcje dla \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Kopiuj link publiczny dla \"{title}\" do schowka", + "Copy public link of \"{title}\"" : "Kopiuj publiczny link do \"{title}\"", "Error, please enter proper password and/or expiration date" : "Błąd, wprowadź prawidłowe hasło i/lub datę ważności", "Link share created" : "Utworzony link udostępniania", "Error while creating the share" : "Błąd podczas tworzenia udostępniania", @@ -239,7 +237,7 @@ "Name, email, or Federated Cloud ID …" : "Nazwa, adres e-mail lub ID Chmury Federacyjnej…", "Searching …" : "Wyszukiwanie…", "No elements found." : "Nie znaleziono elementów.", - "Search globally" : "Szukaj globalnie", + "Search everywhere" : "Szukaj wszędzie", "Guest" : "Gość", "Group" : "Grupa", "Email" : "E-mail", @@ -258,7 +256,7 @@ "Successfully uploaded files" : "Pomyślnie przesłano pliki", "View terms of service" : "Zobacz warunki korzystania z usługi", "Terms of service" : "Warunki usługi", - "Share with {userName}" : "Podziel się z {userName}", + "Share with {user}" : "Udostępnij {user}", "Share with email {email}" : "Udostępnij na e-mail {email}", "Share with group" : "Udostępnij grupie", "Share in conversation" : "Udostępnij w rozmowie", @@ -303,13 +301,14 @@ "Unable to fetch inherited shares" : "Nie można pobrać odziedziczonych udostępnień", "Link shares" : "Udostępnianie linków", "Shares" : "Udostępnienia", - "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." : "Użyj tej metody, aby udostępniać pliki osobom lub zespołom w swojej organizacji. Jeśli odbiorca ma już dostęp do udostępnionego pliku, ale nie może go zlokalizować, możesz wysłać mu wewnętrzny link do udostępniania, aby ułatwić dostęp.", - "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." : "Użyj tej metody, aby udostępniać pliki osobom lub organizacjom spoza Twojej organizacji. Pliki i katalogi można udostępniać za pośrednictwem publicznych linków udostępniania i adresów e-mail. Możesz również udostępniać pliki innym kontom Nextcloud hostowanym na różnych instancjach, używając ich identyfikatora Chmury Federacyjnej.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Udostępnienia, które nie są częścią udostępnień wewnętrznych lub zewnętrznych. Mogą to być udostępnienia z aplikacji lub innych źródeł.", - "Share with accounts, teams, federated cloud IDs" : "Udostępnij kontom, zespołom, federacyjnym identyfikatorom chmury", - "Share with accounts and teams" : "Udostępnij kontom i zespołom", - "Federated cloud ID" : "Federacyjny identyfikator chmury", - "Email, federated cloud ID" : "E-mail, federacyjny identyfikator chmury", + "Share files within your organization. Recipients who can already view the file can also use this link for easy access." : "Udostępniaj pliki w swojej organizacji. Odbiorcy, którzy już mogą wyświetlać plik, mogą także użyć tego linku dla łatwiejszego dostępu.", + "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID." : "Udostępniaj pliki osobom spoza organizacji poprzez publiczne linki i adresy e-mail. Możesz także udostępniać na konta Nextcloud w innych instancjach, używając ich federacyjnego identyfikatora chmury.", + "Shares from apps or other sources which are not included in internal or external shares." : "Udostępnienia z aplikacji lub innych źródeł, które nie są uwzględnione w udostępnieniach wewnętrznych lub zewnętrznych.", + "Type names, teams, federated cloud IDs" : "Wpisz nazwy, zespoły, identyfikatory federacyjnej chmury", + "Type names or teams" : "Wpisz nazwy lub zespoły", + "Type a federated cloud ID" : "Wpisz identyfikator federacyjnej chmury", + "Type an email" : "Wpisz adres e-mail", + "Type an email or federated cloud ID" : "Wpisz adres e-mail lub identyfikator federacyjnej chmury", "Unable to load the shares list" : "Nie można pobrać listy udostępnień", "Expires {relativetime}" : "Wygasa {relativetime}", "this share just expired." : "te udostępnienie właśnie wygasło.", @@ -328,7 +327,7 @@ "Shared" : "Udostępniono", "Shared by {ownerDisplayName}" : "Udostępnione przez {ownerDisplayName}", "Shared multiple times with different people" : "Udostępniony wiele razy różnym osobom", - "Show sharing options" : "Pokaż opcje udostępniania", + "Sharing options" : "Opcje udostępniania", "Shared with others" : "Udostępnione innym", "Create file request" : "Utwórz prośbę o plik", "Upload files to {foldername}" : "Prześlij pliki do {foldername}", @@ -415,13 +414,22 @@ "Failed to add the public link to your Nextcloud" : "Nie udało się dodać linku publicznego do Nextcloud", "You are not allowed to edit link shares that you don't own" : "Nie możesz modyfikować udostępnionych odnośników, których nie jesteś właścicielem", "Download all files" : "Pobierz wszystkie pliki", + "Link copied to clipboard" : "Link skopiowany do schowka", "_1 email address already added_::_{count} email addresses already added_" : ["Dodano już 1 adres e-mail","Dodano już {count} adresy e-mail","Dodano już {count} adresów e-mail","Dodano już {count} adresów e-mail"], "_1 email address added_::_{count} email addresses added_" : ["Dodano 1 adres e-mail","Dodano {count} adresy e-mail","Dodano {count} adresów e-mail","Dodano {count} adresów e-mail"], + "Copy to clipboard" : "Kopiuj do schowka", + "Copy internal link to clipboard" : "Kopiuj link wewnętrzny do schowka", + "Only works for people with access to this folder" : "Działa tylko dla osób z dostępem do tego katalogu", + "Only works for people with access to this file" : "Działa tylko dla osób z dostępem do tego pliku", + "Copy public link of \"{title}\" to clipboard" : "Kopiuj link publiczny dla \"{title}\" do schowka", + "Search globally" : "Szukaj globalnie", "Search for share recipients" : "Szukaj odbiorców udostępnienia", "No recommendations. Start typing." : "Brak rekomendacji. Możesz napisać.", "To upload files, you need to provide your name first." : "Aby przesłać pliki, musisz najpierw podać swoje imię i nazwisko.", "Enter your name" : "Wpisz swoją nazwę", "Submit name" : "Wyślij nazwę", + "Share with {userName}" : "Podziel się z {userName}", + "Show sharing options" : "Pokaż opcje udostępniania", "Share note" : "Notatka udostępnienia", "Upload files to %s" : "Wyślij pliki do %s", "%s shared a folder with you." : "%s udostępnił Ci katalog.", @@ -431,7 +439,12 @@ "Uploaded files:" : "Wysłane pliki:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Wysyłając pliki, zgadzasz się na %1$swarunki korzystania z usługi%2$s.", "Name" : "Nazwa", + "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." : "Użyj tej metody, aby udostępniać pliki osobom lub zespołom w swojej organizacji. Jeśli odbiorca ma już dostęp do udostępnionego pliku, ale nie może go zlokalizować, możesz wysłać mu wewnętrzny link do udostępniania, aby ułatwić dostęp.", + "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." : "Użyj tej metody, aby udostępniać pliki osobom lub organizacjom spoza Twojej organizacji. Pliki i katalogi można udostępniać za pośrednictwem publicznych linków udostępniania i adresów e-mail. Możesz również udostępniać pliki innym kontom Nextcloud hostowanym na różnych instancjach, używając ich identyfikatora Chmury Federacyjnej.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Udostępnienia, które nie są częścią udostępnień wewnętrznych lub zewnętrznych. Mogą to być udostępnienia z aplikacji lub innych źródeł.", "Share with accounts, teams, federated cloud id" : "Udostępnij kontom, zespołom, ID Chmury Federacyjnej", + "Share with accounts and teams" : "Udostępnij kontom i zespołom", + "Federated cloud ID" : "Federacyjny identyfikator chmury", "Email, federated cloud id" : "E-mail, ID Chmury Federacyjnej", "Filename must not be empty." : "Nazwa pliku nie może być pusta." },"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);" diff --git a/apps/files_sharing/l10n/pt_BR.js b/apps/files_sharing/l10n/pt_BR.js index 90f4f0badc8..4f9db865df5 100644 --- a/apps/files_sharing/l10n/pt_BR.js +++ b/apps/files_sharing/l10n/pt_BR.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Gerar uma nova senha", "Your administrator has enforced a password protection." : "Seu administrador aplicou uma proteção por senha.", "Automatically copying failed, please copy the share link manually" : "A cópia automática falhou. Copie o link de compartilhamento manualmente", - "Link copied to clipboard" : "Link copiado para a área de transferência", + "Link copied" : "Link copiado", "Email already added" : "E-mail já adicionado", "Invalid email address" : "Endereço de e-mail inválido", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["O seguinte endereço de e-mail não é válido: {emails}","Os seguintes endereços de e-mail não são válidos: {emails}","Os seguintes endereços de e-mail não são válidos: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count} endereço de e-mail adicionado","{count} endereços de e-mail adicionados","{count} endereços de e-mail adicionados"], "You can now share the link below to allow people to upload files to your directory." : "Agora você pode compartilhar o link abaixo para permitir que as pessoas carreguem arquivos em seu diretório.", "Share link" : "Link de compartilhamento", - "Copy to clipboard" : "Copiar para área de transferência", + "Copy" : "Copiar", "Send link via email" : "Enviar link por e-mail", "Enter an email address or paste a list" : "Digite um endereço de e-mail ou cole uma lista", "Remove email" : "Remover e-mail", @@ -201,10 +201,7 @@ OC.L10N.register( "Via “{folder}”" : "Via “{folder}”", "Unshare" : "Descompartilhar", "Cannot copy, please copy the link manually" : "Não é possível copiar, copie o link manualmente", - "Copy internal link to clipboard" : "Copiar link interno para a área de transferência", - "Only works for people with access to this folder" : "Funciona apenas para pessoas com acesso a esta pasta", - "Only works for people with access to this file" : "Funciona apenas para pessoas com acesso a este arquivo", - "Link copied" : "Link copiado", + "Copy internal link" : "Copiar link interno", "Internal link" : "Link interno", "{shareWith} by {initiator}" : "{shareWith} por {initiator}", "Shared via link by {initiator}" : "Compartilhado via link por {initiator}", @@ -215,7 +212,6 @@ OC.L10N.register( "Share link ({index})" : "Link de compartilhamento ({index})", "Create public link" : "Criar link público", "Actions for \"{title}\"" : "Ações para \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Copiar link público de \"{title}\" para a área de transferência", "Error, please enter proper password and/or expiration date" : "Erro, digite a senha correta e/ou a data de validade", "Link share created" : "Compartilhamento por link criado", "Error while creating the share" : "Erro ao criar o compartilhamento", @@ -241,7 +237,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Nome, e-mail ou ID de Nuvem Federada …", "Searching …" : "Pesquisando...", "No elements found." : "Nenhum elemento encontrado.", - "Search globally" : "Pesquisar globalmente", + "Search everywhere" : "Pesquisar em qualquer lugar", "Guest" : "Convidado", "Group" : "Grupo", "Email" : "E-mail", @@ -260,7 +256,6 @@ OC.L10N.register( "Successfully uploaded files" : "Arquivos carregados com sucesso", "View terms of service" : "Ver os termos de serviço", "Terms of service" : "Termos de serviço", - "Share with {userName}" : "Compartilhar com {userName}", "Share with email {email}" : "Compartilhar com e-mail {email}", "Share with group" : "Compartilhar com grupo", "Share in conversation" : "Compartilhar na conversa", @@ -305,13 +300,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Não foi possível buscar compartilhamentos herdados", "Link shares" : "Compartilhamentos por link", "Shares" : "Compartilhamentos", - "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." : "Use este método para compartilhar arquivos com pessoas ou equipes dentro da sua organização. Se o destinatário já tiver acesso ao compartilhamento, mas não conseguir encontrá-lo, você pode enviar o link de compartilhamento interno para facilitar o acesso.", - "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." : "Use este método para compartilhar arquivos com indivíduos ou organizações fora da sua organização. Arquivos e pastas podem ser compartilhados por meio de links públicos de compartilhamento e endereços de e-mail. Você também pode compartilhar com outras contas Nextcloud hospedadas em instâncias diferentes usando o ID de nuvem federada delas.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Compartilhamentos que não fazem parte dos compartilhamentos internos ou externos. Podem ser compartilhamentos de aplicativos ou outras fontes.", - "Share with accounts, teams, federated cloud IDs" : "Compartilhar com contas, equipes, IDs de nuvem federada", - "Share with accounts and teams" : "Compartilhar com contas e equipes", - "Federated cloud ID" : "ID de nuvem federada", - "Email, federated cloud ID" : "E-mail, ID de nuvem federada", "Unable to load the shares list" : "Não foi possível carregar a lista de compartilhamentos", "Expires {relativetime}" : "Expira {relativetime}", "this share just expired." : "esse compartilhamento acabou de expirar.", @@ -330,7 +318,7 @@ OC.L10N.register( "Shared" : "Compartilhado", "Shared by {ownerDisplayName}" : "Compartilhado por {ownerDisplayName}", "Shared multiple times with different people" : "Compartilhado várias vezes com pessoas diferentes", - "Show sharing options" : "Mostrar opções de compartilhamento", + "Sharing options" : "Opções de compartilhamento", "Shared with others" : "Compartilhado com outros", "Create file request" : "Criar solicitação de arquivo", "Upload files to {foldername}" : "Fazer upload de arquivos para {foldername}", @@ -417,13 +405,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Ocorreu uma falha ao adicionar o link público ao seu Nextcloud", "You are not allowed to edit link shares that you don't own" : "Você não tem permissão para editar compartilhamentos de links que não são de sua propriedade", "Download all files" : "Baixar todos os arquivos", + "Link copied to clipboard" : "Link copiado para a área de transferência", "_1 email address already added_::_{count} email addresses already added_" : ["1 endereço de e-mail já adicionado","{count} endereços de e-mail já adicionados","{count} endereços de e-mail já adicionados"], "_1 email address added_::_{count} email addresses added_" : ["1 endereço de e-mail adicionado","{count} endereços de e-mail adicionados","{count} endereços de e-mail adicionados"], + "Copy to clipboard" : "Copiar para área de transferência", + "Copy internal link to clipboard" : "Copiar link interno para a área de transferência", + "Only works for people with access to this folder" : "Funciona apenas para pessoas com acesso a esta pasta", + "Only works for people with access to this file" : "Funciona apenas para pessoas com acesso a este arquivo", + "Copy public link of \"{title}\" to clipboard" : "Copiar link público de \"{title}\" para a área de transferência", + "Search globally" : "Pesquisar globalmente", "Search for share recipients" : "Pesquisar destinatários de compartilhamento", "No recommendations. Start typing." : "Sem recomendações. Inicie a digitação.", "To upload files, you need to provide your name first." : "Para fazer upload de arquivos, primeiro você precisa fornecer seu nome.", "Enter your name" : "Digite seu nome", "Submit name" : "Enviar nome", + "Share with {userName}" : "Compartilhar com {userName}", + "Show sharing options" : "Mostrar opções de compartilhamento", "Share note" : "Compartilhar nota", "Upload files to %s" : "Enviar arquivos para %s", "%s shared a folder with you." : "%s compartilhou uma pasta com você.", @@ -433,7 +430,12 @@ OC.L10N.register( "Uploaded files:" : "Arquivos enviados:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Ao enviar arquivos, você concorda com os %1$stermos de serviço%2$s.", "Name" : "Nome", + "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." : "Use este método para compartilhar arquivos com pessoas ou equipes dentro da sua organização. Se o destinatário já tiver acesso ao compartilhamento, mas não conseguir encontrá-lo, você pode enviar o link de compartilhamento interno para facilitar o acesso.", + "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." : "Use este método para compartilhar arquivos com indivíduos ou organizações fora da sua organização. Arquivos e pastas podem ser compartilhados por meio de links públicos de compartilhamento e endereços de e-mail. Você também pode compartilhar com outras contas Nextcloud hospedadas em instâncias diferentes usando o ID de nuvem federada delas.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Compartilhamentos que não fazem parte dos compartilhamentos internos ou externos. Podem ser compartilhamentos de aplicativos ou outras fontes.", "Share with accounts, teams, federated cloud id" : "Compartilhar com contas, equipes, ID de nuvem federada", + "Share with accounts and teams" : "Compartilhar com contas e equipes", + "Federated cloud ID" : "ID de nuvem federada", "Email, federated cloud id" : "E-mail, ID de nuvem federada", "Filename must not be empty." : "O nome do arquivo não pode estar vazio." }, diff --git a/apps/files_sharing/l10n/pt_BR.json b/apps/files_sharing/l10n/pt_BR.json index ebeedc16373..1d6f17a194f 100644 --- a/apps/files_sharing/l10n/pt_BR.json +++ b/apps/files_sharing/l10n/pt_BR.json @@ -132,7 +132,7 @@ "Generate a new password" : "Gerar uma nova senha", "Your administrator has enforced a password protection." : "Seu administrador aplicou uma proteção por senha.", "Automatically copying failed, please copy the share link manually" : "A cópia automática falhou. Copie o link de compartilhamento manualmente", - "Link copied to clipboard" : "Link copiado para a área de transferência", + "Link copied" : "Link copiado", "Email already added" : "E-mail já adicionado", "Invalid email address" : "Endereço de e-mail inválido", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["O seguinte endereço de e-mail não é válido: {emails}","Os seguintes endereços de e-mail não são válidos: {emails}","Os seguintes endereços de e-mail não são válidos: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count} endereço de e-mail adicionado","{count} endereços de e-mail adicionados","{count} endereços de e-mail adicionados"], "You can now share the link below to allow people to upload files to your directory." : "Agora você pode compartilhar o link abaixo para permitir que as pessoas carreguem arquivos em seu diretório.", "Share link" : "Link de compartilhamento", - "Copy to clipboard" : "Copiar para área de transferência", + "Copy" : "Copiar", "Send link via email" : "Enviar link por e-mail", "Enter an email address or paste a list" : "Digite um endereço de e-mail ou cole uma lista", "Remove email" : "Remover e-mail", @@ -199,10 +199,7 @@ "Via “{folder}”" : "Via “{folder}”", "Unshare" : "Descompartilhar", "Cannot copy, please copy the link manually" : "Não é possível copiar, copie o link manualmente", - "Copy internal link to clipboard" : "Copiar link interno para a área de transferência", - "Only works for people with access to this folder" : "Funciona apenas para pessoas com acesso a esta pasta", - "Only works for people with access to this file" : "Funciona apenas para pessoas com acesso a este arquivo", - "Link copied" : "Link copiado", + "Copy internal link" : "Copiar link interno", "Internal link" : "Link interno", "{shareWith} by {initiator}" : "{shareWith} por {initiator}", "Shared via link by {initiator}" : "Compartilhado via link por {initiator}", @@ -213,7 +210,6 @@ "Share link ({index})" : "Link de compartilhamento ({index})", "Create public link" : "Criar link público", "Actions for \"{title}\"" : "Ações para \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Copiar link público de \"{title}\" para a área de transferência", "Error, please enter proper password and/or expiration date" : "Erro, digite a senha correta e/ou a data de validade", "Link share created" : "Compartilhamento por link criado", "Error while creating the share" : "Erro ao criar o compartilhamento", @@ -239,7 +235,7 @@ "Name, email, or Federated Cloud ID …" : "Nome, e-mail ou ID de Nuvem Federada …", "Searching …" : "Pesquisando...", "No elements found." : "Nenhum elemento encontrado.", - "Search globally" : "Pesquisar globalmente", + "Search everywhere" : "Pesquisar em qualquer lugar", "Guest" : "Convidado", "Group" : "Grupo", "Email" : "E-mail", @@ -258,7 +254,6 @@ "Successfully uploaded files" : "Arquivos carregados com sucesso", "View terms of service" : "Ver os termos de serviço", "Terms of service" : "Termos de serviço", - "Share with {userName}" : "Compartilhar com {userName}", "Share with email {email}" : "Compartilhar com e-mail {email}", "Share with group" : "Compartilhar com grupo", "Share in conversation" : "Compartilhar na conversa", @@ -303,13 +298,6 @@ "Unable to fetch inherited shares" : "Não foi possível buscar compartilhamentos herdados", "Link shares" : "Compartilhamentos por link", "Shares" : "Compartilhamentos", - "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." : "Use este método para compartilhar arquivos com pessoas ou equipes dentro da sua organização. Se o destinatário já tiver acesso ao compartilhamento, mas não conseguir encontrá-lo, você pode enviar o link de compartilhamento interno para facilitar o acesso.", - "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." : "Use este método para compartilhar arquivos com indivíduos ou organizações fora da sua organização. Arquivos e pastas podem ser compartilhados por meio de links públicos de compartilhamento e endereços de e-mail. Você também pode compartilhar com outras contas Nextcloud hospedadas em instâncias diferentes usando o ID de nuvem federada delas.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Compartilhamentos que não fazem parte dos compartilhamentos internos ou externos. Podem ser compartilhamentos de aplicativos ou outras fontes.", - "Share with accounts, teams, federated cloud IDs" : "Compartilhar com contas, equipes, IDs de nuvem federada", - "Share with accounts and teams" : "Compartilhar com contas e equipes", - "Federated cloud ID" : "ID de nuvem federada", - "Email, federated cloud ID" : "E-mail, ID de nuvem federada", "Unable to load the shares list" : "Não foi possível carregar a lista de compartilhamentos", "Expires {relativetime}" : "Expira {relativetime}", "this share just expired." : "esse compartilhamento acabou de expirar.", @@ -328,7 +316,7 @@ "Shared" : "Compartilhado", "Shared by {ownerDisplayName}" : "Compartilhado por {ownerDisplayName}", "Shared multiple times with different people" : "Compartilhado várias vezes com pessoas diferentes", - "Show sharing options" : "Mostrar opções de compartilhamento", + "Sharing options" : "Opções de compartilhamento", "Shared with others" : "Compartilhado com outros", "Create file request" : "Criar solicitação de arquivo", "Upload files to {foldername}" : "Fazer upload de arquivos para {foldername}", @@ -415,13 +403,22 @@ "Failed to add the public link to your Nextcloud" : "Ocorreu uma falha ao adicionar o link público ao seu Nextcloud", "You are not allowed to edit link shares that you don't own" : "Você não tem permissão para editar compartilhamentos de links que não são de sua propriedade", "Download all files" : "Baixar todos os arquivos", + "Link copied to clipboard" : "Link copiado para a área de transferência", "_1 email address already added_::_{count} email addresses already added_" : ["1 endereço de e-mail já adicionado","{count} endereços de e-mail já adicionados","{count} endereços de e-mail já adicionados"], "_1 email address added_::_{count} email addresses added_" : ["1 endereço de e-mail adicionado","{count} endereços de e-mail adicionados","{count} endereços de e-mail adicionados"], + "Copy to clipboard" : "Copiar para área de transferência", + "Copy internal link to clipboard" : "Copiar link interno para a área de transferência", + "Only works for people with access to this folder" : "Funciona apenas para pessoas com acesso a esta pasta", + "Only works for people with access to this file" : "Funciona apenas para pessoas com acesso a este arquivo", + "Copy public link of \"{title}\" to clipboard" : "Copiar link público de \"{title}\" para a área de transferência", + "Search globally" : "Pesquisar globalmente", "Search for share recipients" : "Pesquisar destinatários de compartilhamento", "No recommendations. Start typing." : "Sem recomendações. Inicie a digitação.", "To upload files, you need to provide your name first." : "Para fazer upload de arquivos, primeiro você precisa fornecer seu nome.", "Enter your name" : "Digite seu nome", "Submit name" : "Enviar nome", + "Share with {userName}" : "Compartilhar com {userName}", + "Show sharing options" : "Mostrar opções de compartilhamento", "Share note" : "Compartilhar nota", "Upload files to %s" : "Enviar arquivos para %s", "%s shared a folder with you." : "%s compartilhou uma pasta com você.", @@ -431,7 +428,12 @@ "Uploaded files:" : "Arquivos enviados:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Ao enviar arquivos, você concorda com os %1$stermos de serviço%2$s.", "Name" : "Nome", + "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." : "Use este método para compartilhar arquivos com pessoas ou equipes dentro da sua organização. Se o destinatário já tiver acesso ao compartilhamento, mas não conseguir encontrá-lo, você pode enviar o link de compartilhamento interno para facilitar o acesso.", + "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." : "Use este método para compartilhar arquivos com indivíduos ou organizações fora da sua organização. Arquivos e pastas podem ser compartilhados por meio de links públicos de compartilhamento e endereços de e-mail. Você também pode compartilhar com outras contas Nextcloud hospedadas em instâncias diferentes usando o ID de nuvem federada delas.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Compartilhamentos que não fazem parte dos compartilhamentos internos ou externos. Podem ser compartilhamentos de aplicativos ou outras fontes.", "Share with accounts, teams, federated cloud id" : "Compartilhar com contas, equipes, ID de nuvem federada", + "Share with accounts and teams" : "Compartilhar com contas e equipes", + "Federated cloud ID" : "ID de nuvem federada", "Email, federated cloud id" : "E-mail, ID de nuvem federada", "Filename must not be empty." : "O nome do arquivo não pode estar vazio." },"pluralForm" :"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;" diff --git a/apps/files_sharing/l10n/ru.js b/apps/files_sharing/l10n/ru.js index 07500c11fa8..bf3fab838a8 100644 --- a/apps/files_sharing/l10n/ru.js +++ b/apps/files_sharing/l10n/ru.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Сгенерируйте новый пароль", "Your administrator has enforced a password protection." : "Ваш администратор ввел в действие защиту паролем.", "Automatically copying failed, please copy the share link manually" : "Не удалось выполнить автоматическое копирование, пожалуйста, скопируйте ссылку для обмена вручную", - "Link copied to clipboard" : "Ссылка скопирована в буфер обмена", + "Link copied" : "Ссылка скопирована", "Email already added" : "Адрес электронной почты уже добавлен", "Invalid email address" : "Неверный адрес электронной почты", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Следующий адрес электронной почты недействителен: {emails}","Следующие адреса электронной почты недействительны: {emails}","Следующие адреса электронной почты недействительны: {emails}","Следующие адреса электронной почты недействительны: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["Добавлен {count} адрес электронной почты","Добавлено {count} адреса электронной почты","Добавлено {count} адресов электронной почты","Добавлено {count} адресов электронной почты"], "You can now share the link below to allow people to upload files to your directory." : "Теперь вы можете поделиться приведенной ниже ссылкой, чтобы люди могли загружать файлы в ваш каталог.", "Share link" : "Общий доступ по ссылке", - "Copy to clipboard" : "Копировать в буфер обмена", + "Copy" : "Копировать", "Send link via email" : "Отправить ссылку по электронной почте", "Enter an email address or paste a list" : "Введите адрес электронной почты или вставьте список", "Remove email" : "Удалить электронную почту", @@ -201,10 +201,7 @@ OC.L10N.register( "Via “{folder}”" : "Через «{folder}»", "Unshare" : "Закрыть доступ", "Cannot copy, please copy the link manually" : "Не удалось скопировать, выполните копирование вручную", - "Copy internal link to clipboard" : "Скопировать внутреннюю ссылку в буфер обмена", - "Only works for people with access to this folder" : "Работает только для людей, имеющих доступ к этой папке", - "Only works for people with access to this file" : "Работает только для людей, имеющих доступ к этому файлу", - "Link copied" : "Ссылка скопирована", + "Copy internal link" : "Копировать внутреннюю ссылку", "Internal link" : "Внутренняя ссылка", "{shareWith} by {initiator}" : "{shareWith} предоставлено {initiator}", "Shared via link by {initiator}" : "{initiator} предоставил(а) доступ по ссылке", @@ -215,7 +212,6 @@ OC.L10N.register( "Share link ({index})" : "Ссылка общего доступа ({index})", "Create public link" : "Создать общедоступную ссылку", "Actions for \"{title}\"" : "Действия над «{title}»", - "Copy public link of \"{title}\" to clipboard" : "Скопировать общедоступную ссылку для доступа к «{title}» в буфер обмена", "Error, please enter proper password and/or expiration date" : "Введите действительный пароль и/или дату истечения", "Link share created" : "Ссылка создана", "Error while creating the share" : "Не удалось создать общий ресурс", @@ -241,7 +237,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Имя или ID межсерверного обмена…", "Searching …" : "Поиск…", "No elements found." : "Ничего не найдено.", - "Search globally" : "Искать глобально", + "Search everywhere" : "Искать везде", "Guest" : "Гость", "Group" : "Группа", "Email" : "Электронная почта", @@ -260,7 +256,6 @@ OC.L10N.register( "Successfully uploaded files" : "Файлы успешно загружены", "View terms of service" : "Ознакомиться с условиями предоставления услуг", "Terms of service" : "Условия использования", - "Share with {userName}" : "Поделиться с {userName}", "Share with email {email}" : "Поделитесь с помощью электронной почты", "Share with group" : "Поделиться с группой", "Share in conversation" : "Поделиться в чате", @@ -305,13 +300,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Невозможно получить список унаследованных общих ресурсов ", "Link shares" : "Общие ссылки", "Shares" : "Опубликованные ресурсы", - "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." : "Используйте этот метод для обмена файлами с отдельными лицами или группами в вашей организации. Если получатель уже имеет доступ к ресурсу, но не может его найти, вы можете отправить ему внутреннюю ссылку на ресурс для легкого доступа.", - "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." : "Используйте этот метод для обмена файлами с отдельными лицами или организациями за пределами вашей организации. Файлы и папки можно делить через публичные ссылки и адреса электронной почты. Вы также можете делиться с другими учетными записями Nextcloud, размещенными на разных экземплярах, используя их идентификатор федеративного облака.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Ссылки, которые не являются частью внутренних или внешних ссылок. Это могут быть ссылки из приложений или других источников.", - "Share with accounts, teams, federated cloud IDs" : "Поделиться с учетными записями, командами, идентификаторами федеративного облака", - "Share with accounts and teams" : "Поделиться с аккаунтами и командами", - "Federated cloud ID" : "Федеративный облачный ID", - "Email, federated cloud ID" : "Электронная почта, федеративный облачный ID", "Unable to load the shares list" : "Невозможно загрузить список общих ресурсов", "Expires {relativetime}" : "Истекает {relativetime}", "this share just expired." : "срок действия этого общего ресурса только что истёк.", @@ -330,7 +318,6 @@ OC.L10N.register( "Shared" : "Опубликованное", "Shared by {ownerDisplayName}" : "Доступно пользователю {ownerDisplayName}", "Shared multiple times with different people" : "Делиться несколько раз с разными людьми", - "Show sharing options" : "Показать опции доступа", "Shared with others" : "Доступные для других", "Create file request" : "Запрос на создание файла", "Upload files to {foldername}" : "Загружать файлы в {foldername}", @@ -417,13 +404,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Не удалось создать общедоступную ссылку", "You are not allowed to edit link shares that you don't own" : "Вам не разрешается редактировать ссылки, которыми вы не владеете", "Download all files" : "Скачать все файлы", + "Link copied to clipboard" : "Ссылка скопирована в буфер обмена", "_1 email address already added_::_{count} email addresses already added_" : ["Уже добавлен 1 адрес электронной почты","Уже добавлено {count} адреса электронной почты","Уже добавлено {count} адресов электронной почты","Уже добавлено {count} адресов электронной почты"], "_1 email address added_::_{count} email addresses added_" : ["Добавлен 1 адрес электронной почты","Добавлено {count} адреса электронной почты","Добавлено {count} адресов электронной почты","Добавлено {count} адресов электронной почты"], + "Copy to clipboard" : "Копировать в буфер обмена", + "Copy internal link to clipboard" : "Скопировать внутреннюю ссылку в буфер обмена", + "Only works for people with access to this folder" : "Работает только для людей, имеющих доступ к этой папке", + "Only works for people with access to this file" : "Работает только для людей, имеющих доступ к этому файлу", + "Copy public link of \"{title}\" to clipboard" : "Скопировать общедоступную ссылку для доступа к «{title}» в буфер обмена", + "Search globally" : "Искать глобально", "Search for share recipients" : "Найти больше получателей общего ресурса", "No recommendations. Start typing." : "Рекомендации отсутствуют, начните вводить символы", "To upload files, you need to provide your name first." : "Чтобы загрузить файлы, вам необходимо сначала указать свое имя.", "Enter your name" : "Введите своё имя", "Submit name" : "Отправить имя", + "Share with {userName}" : "Поделиться с {userName}", + "Show sharing options" : "Показать опции доступа", "Share note" : "Комментарий к общему ресурсу", "Upload files to %s" : "Загрузка файлов в %s", "%s shared a folder with you." : "%s поделился с вами папкой.", @@ -433,7 +429,12 @@ OC.L10N.register( "Uploaded files:" : "Отправленные файлы:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Передачей файлов на сервер, вы принимаете %1$sусловия обслуживания%2$s.", "Name" : "Имя", + "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." : "Используйте этот метод для обмена файлами с отдельными лицами или группами в вашей организации. Если получатель уже имеет доступ к ресурсу, но не может его найти, вы можете отправить ему внутреннюю ссылку на ресурс для легкого доступа.", + "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." : "Используйте этот метод для обмена файлами с отдельными лицами или организациями за пределами вашей организации. Файлы и папки можно делить через публичные ссылки и адреса электронной почты. Вы также можете делиться с другими учетными записями Nextcloud, размещенными на разных экземплярах, используя их идентификатор федеративного облака.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Ссылки, которые не являются частью внутренних или внешних ссылок. Это могут быть ссылки из приложений или других источников.", "Share with accounts, teams, federated cloud id" : "Поделиться с учетными записями, командами, идентификатором федеративного облака", + "Share with accounts and teams" : "Поделиться с аккаунтами и командами", + "Federated cloud ID" : "Федеративный облачный ID", "Email, federated cloud id" : "Электронная почта, идентификатор федеративного облака", "Filename must not be empty." : "Имя файла не должно быть пустым." }, diff --git a/apps/files_sharing/l10n/ru.json b/apps/files_sharing/l10n/ru.json index e92a2f686e0..77d75c69c67 100644 --- a/apps/files_sharing/l10n/ru.json +++ b/apps/files_sharing/l10n/ru.json @@ -132,7 +132,7 @@ "Generate a new password" : "Сгенерируйте новый пароль", "Your administrator has enforced a password protection." : "Ваш администратор ввел в действие защиту паролем.", "Automatically copying failed, please copy the share link manually" : "Не удалось выполнить автоматическое копирование, пожалуйста, скопируйте ссылку для обмена вручную", - "Link copied to clipboard" : "Ссылка скопирована в буфер обмена", + "Link copied" : "Ссылка скопирована", "Email already added" : "Адрес электронной почты уже добавлен", "Invalid email address" : "Неверный адрес электронной почты", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Следующий адрес электронной почты недействителен: {emails}","Следующие адреса электронной почты недействительны: {emails}","Следующие адреса электронной почты недействительны: {emails}","Следующие адреса электронной почты недействительны: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["Добавлен {count} адрес электронной почты","Добавлено {count} адреса электронной почты","Добавлено {count} адресов электронной почты","Добавлено {count} адресов электронной почты"], "You can now share the link below to allow people to upload files to your directory." : "Теперь вы можете поделиться приведенной ниже ссылкой, чтобы люди могли загружать файлы в ваш каталог.", "Share link" : "Общий доступ по ссылке", - "Copy to clipboard" : "Копировать в буфер обмена", + "Copy" : "Копировать", "Send link via email" : "Отправить ссылку по электронной почте", "Enter an email address or paste a list" : "Введите адрес электронной почты или вставьте список", "Remove email" : "Удалить электронную почту", @@ -199,10 +199,7 @@ "Via “{folder}”" : "Через «{folder}»", "Unshare" : "Закрыть доступ", "Cannot copy, please copy the link manually" : "Не удалось скопировать, выполните копирование вручную", - "Copy internal link to clipboard" : "Скопировать внутреннюю ссылку в буфер обмена", - "Only works for people with access to this folder" : "Работает только для людей, имеющих доступ к этой папке", - "Only works for people with access to this file" : "Работает только для людей, имеющих доступ к этому файлу", - "Link copied" : "Ссылка скопирована", + "Copy internal link" : "Копировать внутреннюю ссылку", "Internal link" : "Внутренняя ссылка", "{shareWith} by {initiator}" : "{shareWith} предоставлено {initiator}", "Shared via link by {initiator}" : "{initiator} предоставил(а) доступ по ссылке", @@ -213,7 +210,6 @@ "Share link ({index})" : "Ссылка общего доступа ({index})", "Create public link" : "Создать общедоступную ссылку", "Actions for \"{title}\"" : "Действия над «{title}»", - "Copy public link of \"{title}\" to clipboard" : "Скопировать общедоступную ссылку для доступа к «{title}» в буфер обмена", "Error, please enter proper password and/or expiration date" : "Введите действительный пароль и/или дату истечения", "Link share created" : "Ссылка создана", "Error while creating the share" : "Не удалось создать общий ресурс", @@ -239,7 +235,7 @@ "Name, email, or Federated Cloud ID …" : "Имя или ID межсерверного обмена…", "Searching …" : "Поиск…", "No elements found." : "Ничего не найдено.", - "Search globally" : "Искать глобально", + "Search everywhere" : "Искать везде", "Guest" : "Гость", "Group" : "Группа", "Email" : "Электронная почта", @@ -258,7 +254,6 @@ "Successfully uploaded files" : "Файлы успешно загружены", "View terms of service" : "Ознакомиться с условиями предоставления услуг", "Terms of service" : "Условия использования", - "Share with {userName}" : "Поделиться с {userName}", "Share with email {email}" : "Поделитесь с помощью электронной почты", "Share with group" : "Поделиться с группой", "Share in conversation" : "Поделиться в чате", @@ -303,13 +298,6 @@ "Unable to fetch inherited shares" : "Невозможно получить список унаследованных общих ресурсов ", "Link shares" : "Общие ссылки", "Shares" : "Опубликованные ресурсы", - "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." : "Используйте этот метод для обмена файлами с отдельными лицами или группами в вашей организации. Если получатель уже имеет доступ к ресурсу, но не может его найти, вы можете отправить ему внутреннюю ссылку на ресурс для легкого доступа.", - "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." : "Используйте этот метод для обмена файлами с отдельными лицами или организациями за пределами вашей организации. Файлы и папки можно делить через публичные ссылки и адреса электронной почты. Вы также можете делиться с другими учетными записями Nextcloud, размещенными на разных экземплярах, используя их идентификатор федеративного облака.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Ссылки, которые не являются частью внутренних или внешних ссылок. Это могут быть ссылки из приложений или других источников.", - "Share with accounts, teams, federated cloud IDs" : "Поделиться с учетными записями, командами, идентификаторами федеративного облака", - "Share with accounts and teams" : "Поделиться с аккаунтами и командами", - "Federated cloud ID" : "Федеративный облачный ID", - "Email, federated cloud ID" : "Электронная почта, федеративный облачный ID", "Unable to load the shares list" : "Невозможно загрузить список общих ресурсов", "Expires {relativetime}" : "Истекает {relativetime}", "this share just expired." : "срок действия этого общего ресурса только что истёк.", @@ -328,7 +316,6 @@ "Shared" : "Опубликованное", "Shared by {ownerDisplayName}" : "Доступно пользователю {ownerDisplayName}", "Shared multiple times with different people" : "Делиться несколько раз с разными людьми", - "Show sharing options" : "Показать опции доступа", "Shared with others" : "Доступные для других", "Create file request" : "Запрос на создание файла", "Upload files to {foldername}" : "Загружать файлы в {foldername}", @@ -415,13 +402,22 @@ "Failed to add the public link to your Nextcloud" : "Не удалось создать общедоступную ссылку", "You are not allowed to edit link shares that you don't own" : "Вам не разрешается редактировать ссылки, которыми вы не владеете", "Download all files" : "Скачать все файлы", + "Link copied to clipboard" : "Ссылка скопирована в буфер обмена", "_1 email address already added_::_{count} email addresses already added_" : ["Уже добавлен 1 адрес электронной почты","Уже добавлено {count} адреса электронной почты","Уже добавлено {count} адресов электронной почты","Уже добавлено {count} адресов электронной почты"], "_1 email address added_::_{count} email addresses added_" : ["Добавлен 1 адрес электронной почты","Добавлено {count} адреса электронной почты","Добавлено {count} адресов электронной почты","Добавлено {count} адресов электронной почты"], + "Copy to clipboard" : "Копировать в буфер обмена", + "Copy internal link to clipboard" : "Скопировать внутреннюю ссылку в буфер обмена", + "Only works for people with access to this folder" : "Работает только для людей, имеющих доступ к этой папке", + "Only works for people with access to this file" : "Работает только для людей, имеющих доступ к этому файлу", + "Copy public link of \"{title}\" to clipboard" : "Скопировать общедоступную ссылку для доступа к «{title}» в буфер обмена", + "Search globally" : "Искать глобально", "Search for share recipients" : "Найти больше получателей общего ресурса", "No recommendations. Start typing." : "Рекомендации отсутствуют, начните вводить символы", "To upload files, you need to provide your name first." : "Чтобы загрузить файлы, вам необходимо сначала указать свое имя.", "Enter your name" : "Введите своё имя", "Submit name" : "Отправить имя", + "Share with {userName}" : "Поделиться с {userName}", + "Show sharing options" : "Показать опции доступа", "Share note" : "Комментарий к общему ресурсу", "Upload files to %s" : "Загрузка файлов в %s", "%s shared a folder with you." : "%s поделился с вами папкой.", @@ -431,7 +427,12 @@ "Uploaded files:" : "Отправленные файлы:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Передачей файлов на сервер, вы принимаете %1$sусловия обслуживания%2$s.", "Name" : "Имя", + "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." : "Используйте этот метод для обмена файлами с отдельными лицами или группами в вашей организации. Если получатель уже имеет доступ к ресурсу, но не может его найти, вы можете отправить ему внутреннюю ссылку на ресурс для легкого доступа.", + "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." : "Используйте этот метод для обмена файлами с отдельными лицами или организациями за пределами вашей организации. Файлы и папки можно делить через публичные ссылки и адреса электронной почты. Вы также можете делиться с другими учетными записями Nextcloud, размещенными на разных экземплярах, используя их идентификатор федеративного облака.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Ссылки, которые не являются частью внутренних или внешних ссылок. Это могут быть ссылки из приложений или других источников.", "Share with accounts, teams, federated cloud id" : "Поделиться с учетными записями, командами, идентификатором федеративного облака", + "Share with accounts and teams" : "Поделиться с аккаунтами и командами", + "Federated cloud ID" : "Федеративный облачный ID", "Email, federated cloud id" : "Электронная почта, идентификатор федеративного облака", "Filename must not be empty." : "Имя файла не должно быть пустым." },"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);" diff --git a/apps/files_sharing/l10n/sc.js b/apps/files_sharing/l10n/sc.js index 4cb45c45110..69b9983a0bd 100644 --- a/apps/files_sharing/l10n/sc.js +++ b/apps/files_sharing/l10n/sc.js @@ -94,9 +94,9 @@ OC.L10N.register( "Set a password" : "Cunfigura una crae", "Password" : "Crae", "Generate a new password" : "Gènera una crae noa", - "Link copied to clipboard" : "Ligòngiu copiadu in punta de billete", + "Link copied" : "Ligòngiu copiadu", "Share link" : "Cumpartzi ligòngiu", - "Copy to clipboard" : "Còpia in is punta de billete", + "Copy" : "Còpia", "Select" : "Seletziona", "Close" : "Serra", "File request created" : "Rechesta de archìviu creada", @@ -119,17 +119,13 @@ OC.L10N.register( "Via “{folder}”" : "Tràmite “{folder}”", "Unshare" : "Annulla sa cumpartzidura", "Cannot copy, please copy the link manually" : "No at fatu a copiare, copia su ligòngiu a manu", - "Copy internal link to clipboard" : "Còpia su ligòngiu internu in punta de billete", - "Only works for people with access to this folder" : "Funtzionat isceti pro gente cun atzessu a custa cartella", - "Only works for people with access to this file" : "Funtzionat isceti pro gente cun atzessu a custu archìviu", - "Link copied" : "Ligòngiu copiadu", + "Copy internal link" : "Còpia ligòngiu internu", "Internal link" : "Ligòngiu internu", "{shareWith} by {initiator}" : "{shareWith} dae {initiator}", "Shared via link by {initiator}" : "Cumpartzidu cun ligòngiu dae {initiator}", "Mail share ({label})" : "Cumpartzidura cun posta eletrònica ({label})", "Share link ({label})" : "Cumpartzi ligòngiu ({label})", "Create public link" : "Crea unu ligòngiu pùblicu", - "Copy public link of \"{title}\" to clipboard" : "Còpia in punta de billete su ligòngiu pùblicu pro: \"{title}\"", "Error, please enter proper password and/or expiration date" : "Errore, inserta una crae giusta e/o sa data de iscadèntzia", "Please enter the following required information before creating the share" : "Inserta is informatziones rechertas in fatu in antis de creare sa cumpartzidura", "Password protection (enforced)" : "Bardiadura cun crae (posta)", @@ -148,7 +144,6 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Nùmene, indiritzu de posta o ID de sa nue federada ...", "Searching …" : "Chirchende …", "No elements found." : "Perunu elementu agatadu.", - "Search globally" : "Chirca globale", "Guest" : "Persone invitada", "Group" : "Grupu", "Email" : "Posta eletrònica", @@ -229,6 +224,13 @@ OC.L10N.register( "Invalid server URL" : "URL de su serbidore non vàlidu", "Failed to add the public link to your Nextcloud" : "No at fatu a agiùnghere su ligòngiu pùblicu in Nextcloud", "Download all files" : "Iscàrriga totu is archìvios", + "Link copied to clipboard" : "Ligòngiu copiadu in punta de billete", + "Copy to clipboard" : "Còpia in is punta de billete", + "Copy internal link to clipboard" : "Còpia su ligòngiu internu in punta de billete", + "Only works for people with access to this folder" : "Funtzionat isceti pro gente cun atzessu a custa cartella", + "Only works for people with access to this file" : "Funtzionat isceti pro gente cun atzessu a custu archìviu", + "Copy public link of \"{title}\" to clipboard" : "Còpia in punta de billete su ligòngiu pùblicu pro: \"{title}\"", + "Search globally" : "Chirca globale", "Search for share recipients" : "Chirca destinatàrios de cumpartziduras", "No recommendations. Start typing." : "Peruna racumandatzione. Cumintza a iscrìere.", "Enter your name" : "Inserta•nche su nùmene tuo", diff --git a/apps/files_sharing/l10n/sc.json b/apps/files_sharing/l10n/sc.json index 857c7e762e1..ea350b100c3 100644 --- a/apps/files_sharing/l10n/sc.json +++ b/apps/files_sharing/l10n/sc.json @@ -92,9 +92,9 @@ "Set a password" : "Cunfigura una crae", "Password" : "Crae", "Generate a new password" : "Gènera una crae noa", - "Link copied to clipboard" : "Ligòngiu copiadu in punta de billete", + "Link copied" : "Ligòngiu copiadu", "Share link" : "Cumpartzi ligòngiu", - "Copy to clipboard" : "Còpia in is punta de billete", + "Copy" : "Còpia", "Select" : "Seletziona", "Close" : "Serra", "File request created" : "Rechesta de archìviu creada", @@ -117,17 +117,13 @@ "Via “{folder}”" : "Tràmite “{folder}”", "Unshare" : "Annulla sa cumpartzidura", "Cannot copy, please copy the link manually" : "No at fatu a copiare, copia su ligòngiu a manu", - "Copy internal link to clipboard" : "Còpia su ligòngiu internu in punta de billete", - "Only works for people with access to this folder" : "Funtzionat isceti pro gente cun atzessu a custa cartella", - "Only works for people with access to this file" : "Funtzionat isceti pro gente cun atzessu a custu archìviu", - "Link copied" : "Ligòngiu copiadu", + "Copy internal link" : "Còpia ligòngiu internu", "Internal link" : "Ligòngiu internu", "{shareWith} by {initiator}" : "{shareWith} dae {initiator}", "Shared via link by {initiator}" : "Cumpartzidu cun ligòngiu dae {initiator}", "Mail share ({label})" : "Cumpartzidura cun posta eletrònica ({label})", "Share link ({label})" : "Cumpartzi ligòngiu ({label})", "Create public link" : "Crea unu ligòngiu pùblicu", - "Copy public link of \"{title}\" to clipboard" : "Còpia in punta de billete su ligòngiu pùblicu pro: \"{title}\"", "Error, please enter proper password and/or expiration date" : "Errore, inserta una crae giusta e/o sa data de iscadèntzia", "Please enter the following required information before creating the share" : "Inserta is informatziones rechertas in fatu in antis de creare sa cumpartzidura", "Password protection (enforced)" : "Bardiadura cun crae (posta)", @@ -146,7 +142,6 @@ "Name, email, or Federated Cloud ID …" : "Nùmene, indiritzu de posta o ID de sa nue federada ...", "Searching …" : "Chirchende …", "No elements found." : "Perunu elementu agatadu.", - "Search globally" : "Chirca globale", "Guest" : "Persone invitada", "Group" : "Grupu", "Email" : "Posta eletrònica", @@ -227,6 +222,13 @@ "Invalid server URL" : "URL de su serbidore non vàlidu", "Failed to add the public link to your Nextcloud" : "No at fatu a agiùnghere su ligòngiu pùblicu in Nextcloud", "Download all files" : "Iscàrriga totu is archìvios", + "Link copied to clipboard" : "Ligòngiu copiadu in punta de billete", + "Copy to clipboard" : "Còpia in is punta de billete", + "Copy internal link to clipboard" : "Còpia su ligòngiu internu in punta de billete", + "Only works for people with access to this folder" : "Funtzionat isceti pro gente cun atzessu a custa cartella", + "Only works for people with access to this file" : "Funtzionat isceti pro gente cun atzessu a custu archìviu", + "Copy public link of \"{title}\" to clipboard" : "Còpia in punta de billete su ligòngiu pùblicu pro: \"{title}\"", + "Search globally" : "Chirca globale", "Search for share recipients" : "Chirca destinatàrios de cumpartziduras", "No recommendations. Start typing." : "Peruna racumandatzione. Cumintza a iscrìere.", "Enter your name" : "Inserta•nche su nùmene tuo", diff --git a/apps/files_sharing/l10n/sk.js b/apps/files_sharing/l10n/sk.js index fe7b83c3241..700d5e5fc05 100644 --- a/apps/files_sharing/l10n/sk.js +++ b/apps/files_sharing/l10n/sk.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Vygenerovať nové heslo", "Your administrator has enforced a password protection." : "Váš administrátor vynútil ochranu heslom.", "Automatically copying failed, please copy the share link manually" : "Automatické kopírovanie zlyhalo, skopírujte odkaz na zdieľanie manuálne", - "Link copied to clipboard" : "Odkaz bol skopírovaný do schránky", + "Link copied" : "Odkaz bol skopírovaný", "Email already added" : "Tento email už bol pridaný", "Invalid email address" : "Neplatná emailová adresa", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Nasledujúce e-mailové adresý nie sú platné: {emails}","Nasledujúce e-mailové adresý nie sú platné: {emails}","Nasledujúce e-mailové adresý nie sú platné: {emails}","Nasledujúce e-mailové adresý nie sú platné: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count} e-mailová adriesa bola pridaná","{count} pridané e-mailové adriesy","{count} pridaných e-mailových adries","{count} pridaných e-mailových adries"], "You can now share the link below to allow people to upload files to your directory." : "Teraz môžete zdieľať odkaz nižšie, aby ste ľuďom umožnili nahrávať súbory do vášho adresára.", "Share link" : "Sprístupniť odkaz", - "Copy to clipboard" : "Skopírovať do schránky", + "Copy" : "Kopírovať", "Send link via email" : "Poslať odkaz emailom", "Enter an email address or paste a list" : "Vložte emailovú adresu alebo vložte zoznam", "Remove email" : "Odobrať email", @@ -200,10 +200,7 @@ OC.L10N.register( "Via “{folder}”" : "Prostredníctvom „{folder}“", "Unshare" : "Zneprístupniť", "Cannot copy, please copy the link manually" : "Nedarí sa skopírovať, skopírujte prosím ručne.", - "Copy internal link to clipboard" : "Skopírovať interný odkaz do schránky", - "Only works for people with access to this folder" : "Funguje len pre používateľov s prístupom k tomuto priečinku", - "Only works for people with access to this file" : "Funguje len pre používateľov s prístupom k tomuto súboru", - "Link copied" : "Odkaz bol skopírovaný", + "Copy internal link" : "Kopírovať interný odkaz", "Internal link" : "Interný odkaz", "{shareWith} by {initiator}" : "{shareWith} od {initiator}", "Shared via link by {initiator}" : "{initiator} zdieľa odkazom", @@ -214,7 +211,6 @@ OC.L10N.register( "Share link ({index})" : "Zdieľať odkaz ({index})", "Create public link" : "Vytvoriť verejný odkaz", "Actions for \"{title}\"" : "Akcie pre \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Kopírovať verejný odkaz \"{title}\" do schránky", "Error, please enter proper password and/or expiration date" : "Chyba, zadajte správne heslo a/alebo dátum ukončenia platnosti", "Link share created" : "Odkaz na zdieľanie vytvorený", "Error while creating the share" : "Chyba pri vytváraní zdieľania", @@ -240,7 +236,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Meno, e-mail alebo ID združeného cloudu …", "Searching …" : "Hľadá sa …", "No elements found." : "Nenájdené žiadne prvky.", - "Search globally" : "Hľadať globálne", + "Search everywhere" : "Hľadať všade", "Guest" : "Hosť", "Group" : "Skupina", "Email" : "E-mail", @@ -258,7 +254,6 @@ OC.L10N.register( "By uploading files, you agree to the terms of service." : "Nahraním súborov vyjadrujete súhlas s podmienkami služby.", "View terms of service" : "Zobraziť podmienky používania", "Terms of service" : "Všeobecné podmienky", - "Share with {userName}" : "Zdiľať s {userName}", "Share with email {email}" : "Zdieľať s emailom {email}", "Share with group" : "Zdieľať so skupinou", "Share in conversation" : "Zdieľať v rozhovore", @@ -303,10 +298,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Nedarí sa získať prevzaté zdieľania", "Link shares" : "Zdieľané odkazy", "Shares" : "Sprístupnené položky", - "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." : "Túto metódu použite na zdieľanie súborov s jednotlivcami alebo tímami v rámci vašej organizácie. Ak príjemca už má prístup k zdieľanej zložke, ale nemôže ju nájsť, môžete mu poslať interný odkaz na zdieľanie, aby k nemu mal jednoduchý prístup.", - "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." : "Túto metódu použite na zdieľanie súborov s jednotlivcami alebo organizáciami mimo vašej organizácie. Súbory a priečinky je možné zdieľať prostredníctvom verejných zdieľaných odkazov a e-mailových adries. Môžete tiež zdieľať s inými účtami Nextcloud hosťovanými v rôznych inštanciách pomocou ich federatívneho cloudového ID.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Akcie, ktoré nie sú súčasťou interných alebo externých akcií. Môžu to byť zdieľania z aplikácií alebo iných zdrojov.", - "Share with accounts and teams" : "Zdieľať s účtami a tímami", "Unable to load the shares list" : "Nedarí sa načítať zoznam zdieľaní", "Expires {relativetime}" : "Platnosť končí {relativetime}", "this share just expired." : "platnosť tohto zdieľania práve skončila.", @@ -325,7 +316,7 @@ OC.L10N.register( "Shared" : "Sprístupnené", "Shared by {ownerDisplayName}" : "Zdiľané od {ownerDisplayName}", "Shared multiple times with different people" : "Zdieľané viackrát rôznymi ľuďmi", - "Show sharing options" : "Zobraziť možnosti zdieľania", + "Sharing options" : "Možnosti zdieľania", "Shared with others" : "Sprístupnené ostatným", "Create file request" : "Vytvoriť žiadosť o súbor", "Upload files to {foldername}" : "Nahrať súbory do {foldername}", @@ -402,13 +393,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Pridanie verejne dostupného odkazu do vášho Nextcloud zlyhalo", "You are not allowed to edit link shares that you don't own" : "Nemáte povolenie upravovať zdieľania odkazov, ktoré nevlastníte", "Download all files" : "Stiahnuť všetky súbory", + "Link copied to clipboard" : "Odkaz bol skopírovaný do schránky", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-mailová adriesa už bola pridaná","{count} e-mailové adriesy už boli pridané","{count} e-mailových adries už bolo pridaných","{count} e-mailových adries už bolo pridaných"], "_1 email address added_::_{count} email addresses added_" : ["1 pridaná e-mailová adresa","{count} pridané e-mailové adriesy","{count} pridaných e-mailových adries","{count} pridaných e-mailových adries"], + "Copy to clipboard" : "Skopírovať do schránky", + "Copy internal link to clipboard" : "Skopírovať interný odkaz do schránky", + "Only works for people with access to this folder" : "Funguje len pre používateľov s prístupom k tomuto priečinku", + "Only works for people with access to this file" : "Funguje len pre používateľov s prístupom k tomuto súboru", + "Copy public link of \"{title}\" to clipboard" : "Kopírovať verejný odkaz \"{title}\" do schránky", + "Search globally" : "Hľadať globálne", "Search for share recipients" : "Vyhľadanie ďalších účastníkov zdieľania", "No recommendations. Start typing." : "Žiadne odporúčania. Píšte.", "To upload files, you need to provide your name first." : "Pre nahranie súborov, musíte najprv zdať svoje meno.", "Enter your name" : "Zadajte svoje meno", "Submit name" : "Odoslať meno", + "Share with {userName}" : "Zdiľať s {userName}", + "Show sharing options" : "Zobraziť možnosti zdieľania", "Share note" : "Poznámka k zdieľaniu", "Upload files to %s" : "Nahrať súbory do %s", "%s shared a folder with you." : "%s vám zozdieľal adresár.", @@ -418,6 +418,10 @@ OC.L10N.register( "Uploaded files:" : "Nahrané súbory...", "By uploading files, you agree to the %1$sterms of service%2$s." : "Nahraním súborov vyjadrujete súhlas so všeobecnými podmienkami %1$s %2$s.", "Name" : "Názov", + "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." : "Túto metódu použite na zdieľanie súborov s jednotlivcami alebo tímami v rámci vašej organizácie. Ak príjemca už má prístup k zdieľanej zložke, ale nemôže ju nájsť, môžete mu poslať interný odkaz na zdieľanie, aby k nemu mal jednoduchý prístup.", + "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." : "Túto metódu použite na zdieľanie súborov s jednotlivcami alebo organizáciami mimo vašej organizácie. Súbory a priečinky je možné zdieľať prostredníctvom verejných zdieľaných odkazov a e-mailových adries. Môžete tiež zdieľať s inými účtami Nextcloud hosťovanými v rôznych inštanciách pomocou ich federatívneho cloudového ID.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Akcie, ktoré nie sú súčasťou interných alebo externých akcií. Môžu to byť zdieľania z aplikácií alebo iných zdrojov.", + "Share with accounts and teams" : "Zdieľať s účtami a tímami", "Email, federated cloud id" : "E-mail, id federovaného cloudu", "Filename must not be empty." : "Názov súboru nesmie byť prázdny." }, diff --git a/apps/files_sharing/l10n/sk.json b/apps/files_sharing/l10n/sk.json index cddca62ea35..8de88f7ce9a 100644 --- a/apps/files_sharing/l10n/sk.json +++ b/apps/files_sharing/l10n/sk.json @@ -132,7 +132,7 @@ "Generate a new password" : "Vygenerovať nové heslo", "Your administrator has enforced a password protection." : "Váš administrátor vynútil ochranu heslom.", "Automatically copying failed, please copy the share link manually" : "Automatické kopírovanie zlyhalo, skopírujte odkaz na zdieľanie manuálne", - "Link copied to clipboard" : "Odkaz bol skopírovaný do schránky", + "Link copied" : "Odkaz bol skopírovaný", "Email already added" : "Tento email už bol pridaný", "Invalid email address" : "Neplatná emailová adresa", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Nasledujúce e-mailové adresý nie sú platné: {emails}","Nasledujúce e-mailové adresý nie sú platné: {emails}","Nasledujúce e-mailové adresý nie sú platné: {emails}","Nasledujúce e-mailové adresý nie sú platné: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count} e-mailová adriesa bola pridaná","{count} pridané e-mailové adriesy","{count} pridaných e-mailových adries","{count} pridaných e-mailových adries"], "You can now share the link below to allow people to upload files to your directory." : "Teraz môžete zdieľať odkaz nižšie, aby ste ľuďom umožnili nahrávať súbory do vášho adresára.", "Share link" : "Sprístupniť odkaz", - "Copy to clipboard" : "Skopírovať do schránky", + "Copy" : "Kopírovať", "Send link via email" : "Poslať odkaz emailom", "Enter an email address or paste a list" : "Vložte emailovú adresu alebo vložte zoznam", "Remove email" : "Odobrať email", @@ -198,10 +198,7 @@ "Via “{folder}”" : "Prostredníctvom „{folder}“", "Unshare" : "Zneprístupniť", "Cannot copy, please copy the link manually" : "Nedarí sa skopírovať, skopírujte prosím ručne.", - "Copy internal link to clipboard" : "Skopírovať interný odkaz do schránky", - "Only works for people with access to this folder" : "Funguje len pre používateľov s prístupom k tomuto priečinku", - "Only works for people with access to this file" : "Funguje len pre používateľov s prístupom k tomuto súboru", - "Link copied" : "Odkaz bol skopírovaný", + "Copy internal link" : "Kopírovať interný odkaz", "Internal link" : "Interný odkaz", "{shareWith} by {initiator}" : "{shareWith} od {initiator}", "Shared via link by {initiator}" : "{initiator} zdieľa odkazom", @@ -212,7 +209,6 @@ "Share link ({index})" : "Zdieľať odkaz ({index})", "Create public link" : "Vytvoriť verejný odkaz", "Actions for \"{title}\"" : "Akcie pre \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Kopírovať verejný odkaz \"{title}\" do schránky", "Error, please enter proper password and/or expiration date" : "Chyba, zadajte správne heslo a/alebo dátum ukončenia platnosti", "Link share created" : "Odkaz na zdieľanie vytvorený", "Error while creating the share" : "Chyba pri vytváraní zdieľania", @@ -238,7 +234,7 @@ "Name, email, or Federated Cloud ID …" : "Meno, e-mail alebo ID združeného cloudu …", "Searching …" : "Hľadá sa …", "No elements found." : "Nenájdené žiadne prvky.", - "Search globally" : "Hľadať globálne", + "Search everywhere" : "Hľadať všade", "Guest" : "Hosť", "Group" : "Skupina", "Email" : "E-mail", @@ -256,7 +252,6 @@ "By uploading files, you agree to the terms of service." : "Nahraním súborov vyjadrujete súhlas s podmienkami služby.", "View terms of service" : "Zobraziť podmienky používania", "Terms of service" : "Všeobecné podmienky", - "Share with {userName}" : "Zdiľať s {userName}", "Share with email {email}" : "Zdieľať s emailom {email}", "Share with group" : "Zdieľať so skupinou", "Share in conversation" : "Zdieľať v rozhovore", @@ -301,10 +296,6 @@ "Unable to fetch inherited shares" : "Nedarí sa získať prevzaté zdieľania", "Link shares" : "Zdieľané odkazy", "Shares" : "Sprístupnené položky", - "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." : "Túto metódu použite na zdieľanie súborov s jednotlivcami alebo tímami v rámci vašej organizácie. Ak príjemca už má prístup k zdieľanej zložke, ale nemôže ju nájsť, môžete mu poslať interný odkaz na zdieľanie, aby k nemu mal jednoduchý prístup.", - "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." : "Túto metódu použite na zdieľanie súborov s jednotlivcami alebo organizáciami mimo vašej organizácie. Súbory a priečinky je možné zdieľať prostredníctvom verejných zdieľaných odkazov a e-mailových adries. Môžete tiež zdieľať s inými účtami Nextcloud hosťovanými v rôznych inštanciách pomocou ich federatívneho cloudového ID.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Akcie, ktoré nie sú súčasťou interných alebo externých akcií. Môžu to byť zdieľania z aplikácií alebo iných zdrojov.", - "Share with accounts and teams" : "Zdieľať s účtami a tímami", "Unable to load the shares list" : "Nedarí sa načítať zoznam zdieľaní", "Expires {relativetime}" : "Platnosť končí {relativetime}", "this share just expired." : "platnosť tohto zdieľania práve skončila.", @@ -323,7 +314,7 @@ "Shared" : "Sprístupnené", "Shared by {ownerDisplayName}" : "Zdiľané od {ownerDisplayName}", "Shared multiple times with different people" : "Zdieľané viackrát rôznymi ľuďmi", - "Show sharing options" : "Zobraziť možnosti zdieľania", + "Sharing options" : "Možnosti zdieľania", "Shared with others" : "Sprístupnené ostatným", "Create file request" : "Vytvoriť žiadosť o súbor", "Upload files to {foldername}" : "Nahrať súbory do {foldername}", @@ -400,13 +391,22 @@ "Failed to add the public link to your Nextcloud" : "Pridanie verejne dostupného odkazu do vášho Nextcloud zlyhalo", "You are not allowed to edit link shares that you don't own" : "Nemáte povolenie upravovať zdieľania odkazov, ktoré nevlastníte", "Download all files" : "Stiahnuť všetky súbory", + "Link copied to clipboard" : "Odkaz bol skopírovaný do schránky", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-mailová adriesa už bola pridaná","{count} e-mailové adriesy už boli pridané","{count} e-mailových adries už bolo pridaných","{count} e-mailových adries už bolo pridaných"], "_1 email address added_::_{count} email addresses added_" : ["1 pridaná e-mailová adresa","{count} pridané e-mailové adriesy","{count} pridaných e-mailových adries","{count} pridaných e-mailových adries"], + "Copy to clipboard" : "Skopírovať do schránky", + "Copy internal link to clipboard" : "Skopírovať interný odkaz do schránky", + "Only works for people with access to this folder" : "Funguje len pre používateľov s prístupom k tomuto priečinku", + "Only works for people with access to this file" : "Funguje len pre používateľov s prístupom k tomuto súboru", + "Copy public link of \"{title}\" to clipboard" : "Kopírovať verejný odkaz \"{title}\" do schránky", + "Search globally" : "Hľadať globálne", "Search for share recipients" : "Vyhľadanie ďalších účastníkov zdieľania", "No recommendations. Start typing." : "Žiadne odporúčania. Píšte.", "To upload files, you need to provide your name first." : "Pre nahranie súborov, musíte najprv zdať svoje meno.", "Enter your name" : "Zadajte svoje meno", "Submit name" : "Odoslať meno", + "Share with {userName}" : "Zdiľať s {userName}", + "Show sharing options" : "Zobraziť možnosti zdieľania", "Share note" : "Poznámka k zdieľaniu", "Upload files to %s" : "Nahrať súbory do %s", "%s shared a folder with you." : "%s vám zozdieľal adresár.", @@ -416,6 +416,10 @@ "Uploaded files:" : "Nahrané súbory...", "By uploading files, you agree to the %1$sterms of service%2$s." : "Nahraním súborov vyjadrujete súhlas so všeobecnými podmienkami %1$s %2$s.", "Name" : "Názov", + "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." : "Túto metódu použite na zdieľanie súborov s jednotlivcami alebo tímami v rámci vašej organizácie. Ak príjemca už má prístup k zdieľanej zložke, ale nemôže ju nájsť, môžete mu poslať interný odkaz na zdieľanie, aby k nemu mal jednoduchý prístup.", + "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." : "Túto metódu použite na zdieľanie súborov s jednotlivcami alebo organizáciami mimo vašej organizácie. Súbory a priečinky je možné zdieľať prostredníctvom verejných zdieľaných odkazov a e-mailových adries. Môžete tiež zdieľať s inými účtami Nextcloud hosťovanými v rôznych inštanciách pomocou ich federatívneho cloudového ID.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Akcie, ktoré nie sú súčasťou interných alebo externých akcií. Môžu to byť zdieľania z aplikácií alebo iných zdrojov.", + "Share with accounts and teams" : "Zdieľať s účtami a tímami", "Email, federated cloud id" : "E-mail, id federovaného cloudu", "Filename must not be empty." : "Názov súboru nesmie byť prázdny." },"pluralForm" :"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_sharing/l10n/sl.js b/apps/files_sharing/l10n/sl.js index 0e36dbaffed..d703f3bd8e6 100644 --- a/apps/files_sharing/l10n/sl.js +++ b/apps/files_sharing/l10n/sl.js @@ -105,11 +105,11 @@ OC.L10N.register( "Enter a valid password" : "Vpisati je treba veljavno geslo", "Generate a new password" : "Ustvari novo geslo", "Your administrator has enforced a password protection." : "Skrbnik zahteva uporabo zaščite z geslom.", - "Link copied to clipboard" : "Povezava je kopirana v odložišče", + "Link copied" : "Povezava je kopirana", "Email already added" : "Elektronski naslov je že dodan", "Invalid email address" : "Vpisan je neveljaven elektronski naslov", "Share link" : "Povezava za souporabo", - "Copy to clipboard" : "Kopiraj v odložišče", + "Copy" : "Kopiraj", "Send link via email" : "Pošlji povezavo po elektronski pošti", "Remove email" : "Odstrani elektronski naslov", "Select a destination" : "Izbor cilja", @@ -149,8 +149,7 @@ OC.L10N.register( "Via “{folder}”" : "Prek mape »{folder}«", "Unshare" : "Prekini souporabo", "Cannot copy, please copy the link manually" : "Povezave ni mogoče kopirati. Storite to ročno.", - "Copy internal link to clipboard" : "Kopiraj notranjo povezavo v odložišče", - "Link copied" : "Povezava je kopirana", + "Copy internal link" : "Kopiraj krajevno povezavo", "Internal link" : "Notranja povezava", "Shared via link by {initiator}" : "{initiator} omogoči souporabo prek povezave", "Mail share ({label})" : "Souporaba prek elektronske pošte ({label})", @@ -158,7 +157,6 @@ OC.L10N.register( "Share link ({index})" : "Souporaba povezave ({index})", "Create public link" : "Ustvari javno povezavo", "Actions for \"{title}\"" : "Dejanja za »{title}«", - "Copy public link of \"{title}\" to clipboard" : "Kopiraj javno povezavo do mape »{title}« v odložišče", "Error, please enter proper password and/or expiration date" : "Napaka. Vpisati je treba pravo geslo ali datum preteka", "Link share created" : "Povezava do mesta souporabe je ustvarjena", "Error while creating the share" : "Napaka ustvarjanja mesta souporabe", @@ -179,7 +177,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Ime, elektronski naslov, ali ID zveznega oblaka ...", "Searching …" : "Poteka iskanje ...", "No elements found." : "Ni najdenih predmetov", - "Search globally" : "Splošno iskanje", + "Search everywhere" : "Išči povsod", "Guest" : "Gost", "Group" : "Skupina", "Email" : "Elektronski naslov", @@ -224,6 +222,7 @@ OC.L10N.register( "Open in Files" : "Odpri v mapi", "Shared" : "V souporabi", "Shared multiple times with different people" : "V več souporabah z različnimi uporabniki", + "Sharing options" : "Možnosti souporabe", "Shared with others" : "V souporabi z drugimi", "Public share" : "Javna objava", "No shares" : "Ni še vpisanih mest souporabe", @@ -264,7 +263,12 @@ OC.L10N.register( "Invalid server URL" : "Neveljaven naslov URL strežnika", "Failed to add the public link to your Nextcloud" : "Dodajanje javne povezave v oblak je spodletelo.", "Download all files" : "Prejmi vse datoteke", + "Link copied to clipboard" : "Povezava je kopirana v odložišče", "_1 email address already added_::_{count} email addresses already added_" : ["{count} elektronski naslov je že dodan","{count} elektronska naslova sta že dodana","{count} elektronski naslovi so že dodani","{count} elektronskih naslovov je že dodanih"], + "Copy to clipboard" : "Kopiraj v odložišče", + "Copy internal link to clipboard" : "Kopiraj notranjo povezavo v odložišče", + "Copy public link of \"{title}\" to clipboard" : "Kopiraj javno povezavo do mape »{title}« v odložišče", + "Search globally" : "Splošno iskanje", "Search for share recipients" : "Iskanje prejemnikov mesta souporabe", "No recommendations. Start typing." : "Ni priporočil; začnite vpisovati", "Enter your name" : "Vpišite ime", diff --git a/apps/files_sharing/l10n/sl.json b/apps/files_sharing/l10n/sl.json index 549d7db271d..f3314df7f03 100644 --- a/apps/files_sharing/l10n/sl.json +++ b/apps/files_sharing/l10n/sl.json @@ -103,11 +103,11 @@ "Enter a valid password" : "Vpisati je treba veljavno geslo", "Generate a new password" : "Ustvari novo geslo", "Your administrator has enforced a password protection." : "Skrbnik zahteva uporabo zaščite z geslom.", - "Link copied to clipboard" : "Povezava je kopirana v odložišče", + "Link copied" : "Povezava je kopirana", "Email already added" : "Elektronski naslov je že dodan", "Invalid email address" : "Vpisan je neveljaven elektronski naslov", "Share link" : "Povezava za souporabo", - "Copy to clipboard" : "Kopiraj v odložišče", + "Copy" : "Kopiraj", "Send link via email" : "Pošlji povezavo po elektronski pošti", "Remove email" : "Odstrani elektronski naslov", "Select a destination" : "Izbor cilja", @@ -147,8 +147,7 @@ "Via “{folder}”" : "Prek mape »{folder}«", "Unshare" : "Prekini souporabo", "Cannot copy, please copy the link manually" : "Povezave ni mogoče kopirati. Storite to ročno.", - "Copy internal link to clipboard" : "Kopiraj notranjo povezavo v odložišče", - "Link copied" : "Povezava je kopirana", + "Copy internal link" : "Kopiraj krajevno povezavo", "Internal link" : "Notranja povezava", "Shared via link by {initiator}" : "{initiator} omogoči souporabo prek povezave", "Mail share ({label})" : "Souporaba prek elektronske pošte ({label})", @@ -156,7 +155,6 @@ "Share link ({index})" : "Souporaba povezave ({index})", "Create public link" : "Ustvari javno povezavo", "Actions for \"{title}\"" : "Dejanja za »{title}«", - "Copy public link of \"{title}\" to clipboard" : "Kopiraj javno povezavo do mape »{title}« v odložišče", "Error, please enter proper password and/or expiration date" : "Napaka. Vpisati je treba pravo geslo ali datum preteka", "Link share created" : "Povezava do mesta souporabe je ustvarjena", "Error while creating the share" : "Napaka ustvarjanja mesta souporabe", @@ -177,7 +175,7 @@ "Name, email, or Federated Cloud ID …" : "Ime, elektronski naslov, ali ID zveznega oblaka ...", "Searching …" : "Poteka iskanje ...", "No elements found." : "Ni najdenih predmetov", - "Search globally" : "Splošno iskanje", + "Search everywhere" : "Išči povsod", "Guest" : "Gost", "Group" : "Skupina", "Email" : "Elektronski naslov", @@ -222,6 +220,7 @@ "Open in Files" : "Odpri v mapi", "Shared" : "V souporabi", "Shared multiple times with different people" : "V več souporabah z različnimi uporabniki", + "Sharing options" : "Možnosti souporabe", "Shared with others" : "V souporabi z drugimi", "Public share" : "Javna objava", "No shares" : "Ni še vpisanih mest souporabe", @@ -262,7 +261,12 @@ "Invalid server URL" : "Neveljaven naslov URL strežnika", "Failed to add the public link to your Nextcloud" : "Dodajanje javne povezave v oblak je spodletelo.", "Download all files" : "Prejmi vse datoteke", + "Link copied to clipboard" : "Povezava je kopirana v odložišče", "_1 email address already added_::_{count} email addresses already added_" : ["{count} elektronski naslov je že dodan","{count} elektronska naslova sta že dodana","{count} elektronski naslovi so že dodani","{count} elektronskih naslovov je že dodanih"], + "Copy to clipboard" : "Kopiraj v odložišče", + "Copy internal link to clipboard" : "Kopiraj notranjo povezavo v odložišče", + "Copy public link of \"{title}\" to clipboard" : "Kopiraj javno povezavo do mape »{title}« v odložišče", + "Search globally" : "Splošno iskanje", "Search for share recipients" : "Iskanje prejemnikov mesta souporabe", "No recommendations. Start typing." : "Ni priporočil; začnite vpisovati", "Enter your name" : "Vpišite ime", diff --git a/apps/files_sharing/l10n/sr.js b/apps/files_sharing/l10n/sr.js index 9dcb5a4196f..894bb17b920 100644 --- a/apps/files_sharing/l10n/sr.js +++ b/apps/files_sharing/l10n/sr.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Генериши нову лозинку", "Your administrator has enforced a password protection." : "Ваш администратор је поставио обавезну заштиту лозинком", "Automatically copying failed, please copy the share link manually" : "Није успело аутоматско копирање. молимо вас да линк копирате ручно", - "Link copied to clipboard" : "Веза копирана у оставу", + "Link copied" : "Веза ископирана", "Email already added" : "И-мејл је већ додат", "Invalid email address" : "Неисправна и-мејл адреса", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Следећа и-мејл адреса није исправна: {emails}","Следеће и-мејл адресе нису исправне: {emails}","Следеће и-мејл адресе нису исправне: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["Додата је {count} и-мејл адреса","Додате су {count} и-мејл адресе","Додато је {count} и-мејл адреса"], "You can now share the link below to allow people to upload files to your directory." : "Сада линк приказан испод можете да поделите људима и они ће моћи да отпреме фајлове у ваш директоријум.", "Share link" : "Веза дељења", - "Copy to clipboard" : "Копирај у оставу", + "Copy" : "Копирај", "Send link via email" : "Пошаљи линк и-мејлом", "Enter an email address or paste a list" : "Унесите и-мејл адресу или налепите листу", "Remove email" : "Уклони и-мејл", @@ -201,10 +201,7 @@ OC.L10N.register( "Via “{folder}”" : "Преко „{folder}“", "Unshare" : "Укини дељење", "Cannot copy, please copy the link manually" : "Не могу да копирам, копирајте везу ручно", - "Copy internal link to clipboard" : "Копирај интерни линк у клипборд", - "Only works for people with access to this folder" : "Функсионише само за особе које имају приступ овом фолдеру", - "Only works for people with access to this file" : "Функсионише само за особе које имају приступ овом фајлу", - "Link copied" : "Веза ископирана", + "Copy internal link" : "Копирај интерну везу", "Internal link" : "Интерна веза", "{shareWith} by {initiator}" : "{shareWith} od {initiator}", "Shared via link by {initiator}" : "{initiator} поделио преко везе", @@ -215,7 +212,6 @@ OC.L10N.register( "Share link ({index})" : "Дели линк ({index})", "Create public link" : "Направи јавну везу", "Actions for \"{title}\"" : "Акције за „{title}", - "Copy public link of \"{title}\" to clipboard" : "Копирај јавни линк за „{title}” у клипборд", "Error, please enter proper password and/or expiration date" : "Грешка, унесите исправну лозинку и/или датум истицања", "Link share created" : "Креиран је линк за дељење", "Error while creating the share" : "Грешка приликом креирања дељења", @@ -241,7 +237,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Ime, imejl ili ID u federalnom oblaku…", "Searching …" : "Тражим…", "No elements found." : "Нема нађених елемената.", - "Search globally" : "Претражите глобално", + "Search everywhere" : "Претражи свуда", "Guest" : "Гост", "Group" : "Група", "Email" : "Е-пошта", @@ -260,7 +256,6 @@ OC.L10N.register( "Successfully uploaded files" : "Фајлови су успешно отпремљени", "View terms of service" : "Прикажи услове коришћења", "Terms of service" : "Услови коришћења", - "Share with {userName}" : "Подели са {userName}", "Share with email {email}" : "Подели и-мејлом {email}", "Share with group" : "Подели са групом", "Share in conversation" : "Подели у разговор", @@ -305,13 +300,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Не могу да дохватим наслеђена дељења", "Link shares" : "Дељења линком", "Shares" : "Дељења", - "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." : "Употребите ову методу да фајлове делите да појединцима или тимовима унутар своје организације. Ако прималац већ има приступ дељењу, али не може да га лоцира, можете му послати интерни линк дељења тако да може лако да му приступи.", - "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." : "Употребите ову методу да фајлове делите са појединцима или организацијама ван своје организације. Фајлови и фолдери могу да се деле путем јавних линкова дељења и и-мејл адресама. Такође можете да делите осталим Nextcloud налозима који се хостују на другим инстанцама користећи њихов ID здруженог облака.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Дељења која нису део интерних или спољних дељења. Ово могу бити дељења из апликација или осталих извора.", - "Share with accounts, teams, federated cloud IDs" : "Дели са налозима, тимовима, ID-јевима здруженог облака", - "Share with accounts and teams" : "Дељење са налозима и тимовима", - "Federated cloud ID" : "ИД Здруженог облака", - "Email, federated cloud ID" : "И-мејл, ID здруженог облака", "Unable to load the shares list" : "Неуспело учитавање листе дељења", "Expires {relativetime}" : "Истиче {relativetime}", "this share just expired." : "ово дељење је управо истекло.", @@ -330,7 +318,6 @@ OC.L10N.register( "Shared" : "Подељено", "Shared by {ownerDisplayName}" : "Поделио {ownerDisplayName}", "Shared multiple times with different people" : "Дељено више пута са разним људима", - "Show sharing options" : "Прикажи опције дељења", "Shared with others" : "Дељено са осталима", "Create file request" : "Креирај захтев за фајл", "Upload files to {foldername}" : "Отпреми фајлове у {foldername}", @@ -417,13 +404,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Неуспело додавање јавне везе ка Вашем Некстклауду", "You are not allowed to edit link shares that you don't own" : "Није вам дозвољено да уређујете дељења линком која нису ваше власништво", "Download all files" : "Преузми све фајлове", + "Link copied to clipboard" : "Веза копирана у оставу", "_1 email address already added_::_{count} email addresses already added_" : ["1 и-мејл адреса је већ додата","{count} и-мејл адресе су већ додате","{count} и-мејл адреса је већ додато"], "_1 email address added_::_{count} email addresses added_" : ["Додата је 1 и-мејл адреса","Додате су {count} и-мејл адресе","Додато је {count} и-мејл адреса"], + "Copy to clipboard" : "Копирај у оставу", + "Copy internal link to clipboard" : "Копирај интерни линк у клипборд", + "Only works for people with access to this folder" : "Функсионише само за особе које имају приступ овом фолдеру", + "Only works for people with access to this file" : "Функсионише само за особе које имају приступ овом фајлу", + "Copy public link of \"{title}\" to clipboard" : "Копирај јавни линк за „{title}” у клипборд", + "Search globally" : "Претражите глобално", "Search for share recipients" : "Претрага прималаца дељења", "No recommendations. Start typing." : "Нема препорука. Започните куцање.", "To upload files, you need to provide your name first." : "Да бисте могли да отпремите фајлове, најпре наведите своје име.", "Enter your name" : "Унесите Ваше име", "Submit name" : "Поднеси име", + "Share with {userName}" : "Подели са {userName}", + "Show sharing options" : "Прикажи опције дељења", "Share note" : "Белешка дељења", "Upload files to %s" : "Отпремите фајлове на%s", "%s shared a folder with you." : "%s је са вама поделио фолдер.", @@ -433,7 +429,12 @@ OC.L10N.register( "Uploaded files:" : "Отпремљени фајлови:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Отпремањем фајлова, слажете се са %1$sусловима коришћења%2$s.", "Name" : "Име", + "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." : "Употребите ову методу да фајлове делите да појединцима или тимовима унутар своје организације. Ако прималац већ има приступ дељењу, али не може да га лоцира, можете му послати интерни линк дељења тако да може лако да му приступи.", + "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." : "Употребите ову методу да фајлове делите са појединцима или организацијама ван своје организације. Фајлови и фолдери могу да се деле путем јавних линкова дељења и и-мејл адресама. Такође можете да делите осталим Nextcloud налозима који се хостују на другим инстанцама користећи њихов ID здруженог облака.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Дељења која нису део интерних или спољних дељења. Ово могу бити дељења из апликација или осталих извора.", "Share with accounts, teams, federated cloud id" : "Дели са налозима, тимовима, id здруженог облака", + "Share with accounts and teams" : "Дељење са налозима и тимовима", + "Federated cloud ID" : "ИД Здруженог облака", "Email, federated cloud id" : "И-мејл, ID здруженог облака", "Filename must not be empty." : "Назив фајла не може бити празан." }, diff --git a/apps/files_sharing/l10n/sr.json b/apps/files_sharing/l10n/sr.json index 289b841814b..4a59406e5ac 100644 --- a/apps/files_sharing/l10n/sr.json +++ b/apps/files_sharing/l10n/sr.json @@ -132,7 +132,7 @@ "Generate a new password" : "Генериши нову лозинку", "Your administrator has enforced a password protection." : "Ваш администратор је поставио обавезну заштиту лозинком", "Automatically copying failed, please copy the share link manually" : "Није успело аутоматско копирање. молимо вас да линк копирате ручно", - "Link copied to clipboard" : "Веза копирана у оставу", + "Link copied" : "Веза ископирана", "Email already added" : "И-мејл је већ додат", "Invalid email address" : "Неисправна и-мејл адреса", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Следећа и-мејл адреса није исправна: {emails}","Следеће и-мејл адресе нису исправне: {emails}","Следеће и-мејл адресе нису исправне: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["Додата је {count} и-мејл адреса","Додате су {count} и-мејл адресе","Додато је {count} и-мејл адреса"], "You can now share the link below to allow people to upload files to your directory." : "Сада линк приказан испод можете да поделите људима и они ће моћи да отпреме фајлове у ваш директоријум.", "Share link" : "Веза дељења", - "Copy to clipboard" : "Копирај у оставу", + "Copy" : "Копирај", "Send link via email" : "Пошаљи линк и-мејлом", "Enter an email address or paste a list" : "Унесите и-мејл адресу или налепите листу", "Remove email" : "Уклони и-мејл", @@ -199,10 +199,7 @@ "Via “{folder}”" : "Преко „{folder}“", "Unshare" : "Укини дељење", "Cannot copy, please copy the link manually" : "Не могу да копирам, копирајте везу ручно", - "Copy internal link to clipboard" : "Копирај интерни линк у клипборд", - "Only works for people with access to this folder" : "Функсионише само за особе које имају приступ овом фолдеру", - "Only works for people with access to this file" : "Функсионише само за особе које имају приступ овом фајлу", - "Link copied" : "Веза ископирана", + "Copy internal link" : "Копирај интерну везу", "Internal link" : "Интерна веза", "{shareWith} by {initiator}" : "{shareWith} od {initiator}", "Shared via link by {initiator}" : "{initiator} поделио преко везе", @@ -213,7 +210,6 @@ "Share link ({index})" : "Дели линк ({index})", "Create public link" : "Направи јавну везу", "Actions for \"{title}\"" : "Акције за „{title}", - "Copy public link of \"{title}\" to clipboard" : "Копирај јавни линк за „{title}” у клипборд", "Error, please enter proper password and/or expiration date" : "Грешка, унесите исправну лозинку и/или датум истицања", "Link share created" : "Креиран је линк за дељење", "Error while creating the share" : "Грешка приликом креирања дељења", @@ -239,7 +235,7 @@ "Name, email, or Federated Cloud ID …" : "Ime, imejl ili ID u federalnom oblaku…", "Searching …" : "Тражим…", "No elements found." : "Нема нађених елемената.", - "Search globally" : "Претражите глобално", + "Search everywhere" : "Претражи свуда", "Guest" : "Гост", "Group" : "Група", "Email" : "Е-пошта", @@ -258,7 +254,6 @@ "Successfully uploaded files" : "Фајлови су успешно отпремљени", "View terms of service" : "Прикажи услове коришћења", "Terms of service" : "Услови коришћења", - "Share with {userName}" : "Подели са {userName}", "Share with email {email}" : "Подели и-мејлом {email}", "Share with group" : "Подели са групом", "Share in conversation" : "Подели у разговор", @@ -303,13 +298,6 @@ "Unable to fetch inherited shares" : "Не могу да дохватим наслеђена дељења", "Link shares" : "Дељења линком", "Shares" : "Дељења", - "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." : "Употребите ову методу да фајлове делите да појединцима или тимовима унутар своје организације. Ако прималац већ има приступ дељењу, али не може да га лоцира, можете му послати интерни линк дељења тако да може лако да му приступи.", - "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." : "Употребите ову методу да фајлове делите са појединцима или организацијама ван своје организације. Фајлови и фолдери могу да се деле путем јавних линкова дељења и и-мејл адресама. Такође можете да делите осталим Nextcloud налозима који се хостују на другим инстанцама користећи њихов ID здруженог облака.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Дељења која нису део интерних или спољних дељења. Ово могу бити дељења из апликација или осталих извора.", - "Share with accounts, teams, federated cloud IDs" : "Дели са налозима, тимовима, ID-јевима здруженог облака", - "Share with accounts and teams" : "Дељење са налозима и тимовима", - "Federated cloud ID" : "ИД Здруженог облака", - "Email, federated cloud ID" : "И-мејл, ID здруженог облака", "Unable to load the shares list" : "Неуспело учитавање листе дељења", "Expires {relativetime}" : "Истиче {relativetime}", "this share just expired." : "ово дељење је управо истекло.", @@ -328,7 +316,6 @@ "Shared" : "Подељено", "Shared by {ownerDisplayName}" : "Поделио {ownerDisplayName}", "Shared multiple times with different people" : "Дељено више пута са разним људима", - "Show sharing options" : "Прикажи опције дељења", "Shared with others" : "Дељено са осталима", "Create file request" : "Креирај захтев за фајл", "Upload files to {foldername}" : "Отпреми фајлове у {foldername}", @@ -415,13 +402,22 @@ "Failed to add the public link to your Nextcloud" : "Неуспело додавање јавне везе ка Вашем Некстклауду", "You are not allowed to edit link shares that you don't own" : "Није вам дозвољено да уређујете дељења линком која нису ваше власништво", "Download all files" : "Преузми све фајлове", + "Link copied to clipboard" : "Веза копирана у оставу", "_1 email address already added_::_{count} email addresses already added_" : ["1 и-мејл адреса је већ додата","{count} и-мејл адресе су већ додате","{count} и-мејл адреса је већ додато"], "_1 email address added_::_{count} email addresses added_" : ["Додата је 1 и-мејл адреса","Додате су {count} и-мејл адресе","Додато је {count} и-мејл адреса"], + "Copy to clipboard" : "Копирај у оставу", + "Copy internal link to clipboard" : "Копирај интерни линк у клипборд", + "Only works for people with access to this folder" : "Функсионише само за особе које имају приступ овом фолдеру", + "Only works for people with access to this file" : "Функсионише само за особе које имају приступ овом фајлу", + "Copy public link of \"{title}\" to clipboard" : "Копирај јавни линк за „{title}” у клипборд", + "Search globally" : "Претражите глобално", "Search for share recipients" : "Претрага прималаца дељења", "No recommendations. Start typing." : "Нема препорука. Започните куцање.", "To upload files, you need to provide your name first." : "Да бисте могли да отпремите фајлове, најпре наведите своје име.", "Enter your name" : "Унесите Ваше име", "Submit name" : "Поднеси име", + "Share with {userName}" : "Подели са {userName}", + "Show sharing options" : "Прикажи опције дељења", "Share note" : "Белешка дељења", "Upload files to %s" : "Отпремите фајлове на%s", "%s shared a folder with you." : "%s је са вама поделио фолдер.", @@ -431,7 +427,12 @@ "Uploaded files:" : "Отпремљени фајлови:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Отпремањем фајлова, слажете се са %1$sусловима коришћења%2$s.", "Name" : "Име", + "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." : "Употребите ову методу да фајлове делите да појединцима или тимовима унутар своје организације. Ако прималац већ има приступ дељењу, али не може да га лоцира, можете му послати интерни линк дељења тако да може лако да му приступи.", + "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." : "Употребите ову методу да фајлове делите са појединцима или организацијама ван своје организације. Фајлови и фолдери могу да се деле путем јавних линкова дељења и и-мејл адресама. Такође можете да делите осталим Nextcloud налозима који се хостују на другим инстанцама користећи њихов ID здруженог облака.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Дељења која нису део интерних или спољних дељења. Ово могу бити дељења из апликација или осталих извора.", "Share with accounts, teams, federated cloud id" : "Дели са налозима, тимовима, id здруженог облака", + "Share with accounts and teams" : "Дељење са налозима и тимовима", + "Federated cloud ID" : "ИД Здруженог облака", "Email, federated cloud id" : "И-мејл, ID здруженог облака", "Filename must not be empty." : "Назив фајла не може бити празан." },"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);" diff --git a/apps/files_sharing/l10n/sv.js b/apps/files_sharing/l10n/sv.js index 64231f3a248..c668d504574 100644 --- a/apps/files_sharing/l10n/sv.js +++ b/apps/files_sharing/l10n/sv.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Skapa ett nytt lösenord", "Your administrator has enforced a password protection." : "Din administratör har tillämpat ett lösenordsskydd.", "Automatically copying failed, please copy the share link manually" : "Automatisk kopiering misslyckades, kopiera delningslänken manuellt", - "Link copied to clipboard" : "Länken kopierad till urklipp", + "Link copied" : "Länk kopierad", "Email already added" : "E-post har redan lagts till", "Invalid email address" : "Ogiltig e-postadress", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Följande e-postadress är inte giltig: {emails}","Följande e-postadresser är inte giltiga: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count} e-postadress har lagts till","{count} e-postadresser har lagts till"], "You can now share the link below to allow people to upload files to your directory." : "Du kan nu dela länken nedan för att tillåta andra att ladda upp filer till din mapp.", "Share link" : "Dela länk", - "Copy to clipboard" : "Kopiera till urklipp", + "Copy" : "Kopiera", "Send link via email" : "Skicka länk via e-post", "Enter an email address or paste a list" : "Ange en e-postadress eller klistra in en lista", "Remove email" : "Ta bort e-post", @@ -201,10 +201,7 @@ OC.L10N.register( "Via “{folder}”" : "Via “{folder}”", "Unshare" : "Sluta dela", "Cannot copy, please copy the link manually" : "Kan inte kopiera, länken måste kopieras manuellt", - "Copy internal link to clipboard" : "Kopiera intern länk till urklipp", - "Only works for people with access to this folder" : "Fungerar endast för personer med åtkomst till den här mappen", - "Only works for people with access to this file" : "Fungerar endast för personer med åtkomst till den här filen", - "Link copied" : "Länk kopierad", + "Copy internal link" : "Kopiera intern länk", "Internal link" : "Intern länk", "{shareWith} by {initiator}" : "{shareWith} av {initiator}", "Shared via link by {initiator}" : "Delad via länk av {initiator}", @@ -215,7 +212,6 @@ OC.L10N.register( "Share link ({index})" : "Dela länk ({index})", "Create public link" : "Skapa offentlig länk", "Actions for \"{title}\"" : "Åtgärder för \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Kopiera offentliga länken för \"{title}\" till urklipp", "Error, please enter proper password and/or expiration date" : "Fel, ange korrekt lösenord och/eller utgångsdatum", "Link share created" : "Delningslänk skapad", "Error while creating the share" : "Det gick inte att skapa delningen", @@ -241,7 +237,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Namn, e-post eller federerat moln-ID ...", "Searching …" : "Söker ...", "No elements found." : "Inga element hittades.", - "Search globally" : "Sök globalt", + "Search everywhere" : "Sök överallt", "Guest" : "Gäst", "Group" : "Grupp", "Email" : "E-post", @@ -260,7 +256,6 @@ OC.L10N.register( "Successfully uploaded files" : "Filer har laddats upp", "View terms of service" : "Visa användarvillkoren", "Terms of service" : "Användarvillkor", - "Share with {userName}" : "Dela med {userName}", "Share with email {email}" : "Dela med e-post {email}", "Share with group" : "Dela med grupp", "Share in conversation" : "Dela i konversation", @@ -305,13 +300,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Kan inte hämta ärvda delningar", "Link shares" : "Länkdelningar", "Shares" : "Delningar", - "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." : "Använd den här metoden för att dela filer med individer eller team inom din organisation. Om mottagaren redan har åtkomst till delningen men inte kan hitta den, kan du skicka den interna delningslänken för enkel åtkomst.", - "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." : "Använd den här metoden för att dela filer med individer eller organisationer utanför din organisation. Filer och mappar kan delas via publika delningslänkar och e-postadresser. Du kan också dela med andra Nextcloud-konton som finns på andra instanser genom deras federerade moln-ID.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Delningar som inte ingår i de interna eller externa delningarna. Detta kan vara delningar från appar eller andra källor.", - "Share with accounts, teams, federated cloud IDs" : "Dela med konton, team, federerade moln-ID:n", - "Share with accounts and teams" : "Dela med konton och team", - "Federated cloud ID" : "Federerat moln-ID", - "Email, federated cloud ID" : "E-post, federerat moln-ID", "Unable to load the shares list" : "Kunde inte läsa in delningslistan", "Expires {relativetime}" : "Upphör {relativetime}", "this share just expired." : "denna delning har just gått ut.", @@ -330,7 +318,6 @@ OC.L10N.register( "Shared" : "Delad", "Shared by {ownerDisplayName}" : "Delad av {ownerDisplayName}", "Shared multiple times with different people" : "Delad flera gånger med olika personer", - "Show sharing options" : "Visa delningsalternativ", "Shared with others" : "Delas med andra", "Create file request" : "Skapa filförfrågan", "Upload files to {foldername}" : "Ladda upp filer till {foldername}", @@ -417,13 +404,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Misslyckades skapa den offentliga delningslänken till ditt moln", "You are not allowed to edit link shares that you don't own" : "Du får inte redigera länkdelningar som du inte äger", "Download all files" : "Hämta alla filer", + "Link copied to clipboard" : "Länken kopierad till urklipp", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-postadress som redan har lagts till","{count} e-postadresser som redan har lagts till"], "_1 email address added_::_{count} email addresses added_" : ["1 e-postadress har lagts till","{count} e-postadresser har lagts till"], + "Copy to clipboard" : "Kopiera till urklipp", + "Copy internal link to clipboard" : "Kopiera intern länk till urklipp", + "Only works for people with access to this folder" : "Fungerar endast för personer med åtkomst till den här mappen", + "Only works for people with access to this file" : "Fungerar endast för personer med åtkomst till den här filen", + "Copy public link of \"{title}\" to clipboard" : "Kopiera offentliga länken för \"{title}\" till urklipp", + "Search globally" : "Sök globalt", "Search for share recipients" : "Sök efter delningsmottagare", "No recommendations. Start typing." : "Inga rekommendationer. Börja skriva.", "To upload files, you need to provide your name first." : "För att ladda upp filer måste du först ange ditt namn.", "Enter your name" : "Ange ditt namn", "Submit name" : "Skicka namn", + "Share with {userName}" : "Dela med {userName}", + "Show sharing options" : "Visa delningsalternativ", "Share note" : "Dela kommentar", "Upload files to %s" : "Ladda upp filer till %s", "%s shared a folder with you." : "%s delade en mapp med dig.", @@ -433,7 +429,12 @@ OC.L10N.register( "Uploaded files:" : "Uppladdade filer:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Genom att ladda upp filer godkänner du %1$sanvändarvillkoren %2$s.", "Name" : "Namn", + "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." : "Använd den här metoden för att dela filer med individer eller team inom din organisation. Om mottagaren redan har åtkomst till delningen men inte kan hitta den, kan du skicka den interna delningslänken för enkel åtkomst.", + "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." : "Använd den här metoden för att dela filer med individer eller organisationer utanför din organisation. Filer och mappar kan delas via publika delningslänkar och e-postadresser. Du kan också dela med andra Nextcloud-konton som finns på andra instanser genom deras federerade moln-ID.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Delningar som inte ingår i de interna eller externa delningarna. Detta kan vara delningar från appar eller andra källor.", "Share with accounts, teams, federated cloud id" : "Dela med konton, team, federerat moln-id", + "Share with accounts and teams" : "Dela med konton och team", + "Federated cloud ID" : "Federerat moln-ID", "Email, federated cloud id" : "E-post, federerat moln-id", "Filename must not be empty." : "Filnamn får inte vara tomt." }, diff --git a/apps/files_sharing/l10n/sv.json b/apps/files_sharing/l10n/sv.json index 46574809f57..d69feb11d7f 100644 --- a/apps/files_sharing/l10n/sv.json +++ b/apps/files_sharing/l10n/sv.json @@ -132,7 +132,7 @@ "Generate a new password" : "Skapa ett nytt lösenord", "Your administrator has enforced a password protection." : "Din administratör har tillämpat ett lösenordsskydd.", "Automatically copying failed, please copy the share link manually" : "Automatisk kopiering misslyckades, kopiera delningslänken manuellt", - "Link copied to clipboard" : "Länken kopierad till urklipp", + "Link copied" : "Länk kopierad", "Email already added" : "E-post har redan lagts till", "Invalid email address" : "Ogiltig e-postadress", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Följande e-postadress är inte giltig: {emails}","Följande e-postadresser är inte giltiga: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count} e-postadress har lagts till","{count} e-postadresser har lagts till"], "You can now share the link below to allow people to upload files to your directory." : "Du kan nu dela länken nedan för att tillåta andra att ladda upp filer till din mapp.", "Share link" : "Dela länk", - "Copy to clipboard" : "Kopiera till urklipp", + "Copy" : "Kopiera", "Send link via email" : "Skicka länk via e-post", "Enter an email address or paste a list" : "Ange en e-postadress eller klistra in en lista", "Remove email" : "Ta bort e-post", @@ -199,10 +199,7 @@ "Via “{folder}”" : "Via “{folder}”", "Unshare" : "Sluta dela", "Cannot copy, please copy the link manually" : "Kan inte kopiera, länken måste kopieras manuellt", - "Copy internal link to clipboard" : "Kopiera intern länk till urklipp", - "Only works for people with access to this folder" : "Fungerar endast för personer med åtkomst till den här mappen", - "Only works for people with access to this file" : "Fungerar endast för personer med åtkomst till den här filen", - "Link copied" : "Länk kopierad", + "Copy internal link" : "Kopiera intern länk", "Internal link" : "Intern länk", "{shareWith} by {initiator}" : "{shareWith} av {initiator}", "Shared via link by {initiator}" : "Delad via länk av {initiator}", @@ -213,7 +210,6 @@ "Share link ({index})" : "Dela länk ({index})", "Create public link" : "Skapa offentlig länk", "Actions for \"{title}\"" : "Åtgärder för \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Kopiera offentliga länken för \"{title}\" till urklipp", "Error, please enter proper password and/or expiration date" : "Fel, ange korrekt lösenord och/eller utgångsdatum", "Link share created" : "Delningslänk skapad", "Error while creating the share" : "Det gick inte att skapa delningen", @@ -239,7 +235,7 @@ "Name, email, or Federated Cloud ID …" : "Namn, e-post eller federerat moln-ID ...", "Searching …" : "Söker ...", "No elements found." : "Inga element hittades.", - "Search globally" : "Sök globalt", + "Search everywhere" : "Sök överallt", "Guest" : "Gäst", "Group" : "Grupp", "Email" : "E-post", @@ -258,7 +254,6 @@ "Successfully uploaded files" : "Filer har laddats upp", "View terms of service" : "Visa användarvillkoren", "Terms of service" : "Användarvillkor", - "Share with {userName}" : "Dela med {userName}", "Share with email {email}" : "Dela med e-post {email}", "Share with group" : "Dela med grupp", "Share in conversation" : "Dela i konversation", @@ -303,13 +298,6 @@ "Unable to fetch inherited shares" : "Kan inte hämta ärvda delningar", "Link shares" : "Länkdelningar", "Shares" : "Delningar", - "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." : "Använd den här metoden för att dela filer med individer eller team inom din organisation. Om mottagaren redan har åtkomst till delningen men inte kan hitta den, kan du skicka den interna delningslänken för enkel åtkomst.", - "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." : "Använd den här metoden för att dela filer med individer eller organisationer utanför din organisation. Filer och mappar kan delas via publika delningslänkar och e-postadresser. Du kan också dela med andra Nextcloud-konton som finns på andra instanser genom deras federerade moln-ID.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Delningar som inte ingår i de interna eller externa delningarna. Detta kan vara delningar från appar eller andra källor.", - "Share with accounts, teams, federated cloud IDs" : "Dela med konton, team, federerade moln-ID:n", - "Share with accounts and teams" : "Dela med konton och team", - "Federated cloud ID" : "Federerat moln-ID", - "Email, federated cloud ID" : "E-post, federerat moln-ID", "Unable to load the shares list" : "Kunde inte läsa in delningslistan", "Expires {relativetime}" : "Upphör {relativetime}", "this share just expired." : "denna delning har just gått ut.", @@ -328,7 +316,6 @@ "Shared" : "Delad", "Shared by {ownerDisplayName}" : "Delad av {ownerDisplayName}", "Shared multiple times with different people" : "Delad flera gånger med olika personer", - "Show sharing options" : "Visa delningsalternativ", "Shared with others" : "Delas med andra", "Create file request" : "Skapa filförfrågan", "Upload files to {foldername}" : "Ladda upp filer till {foldername}", @@ -415,13 +402,22 @@ "Failed to add the public link to your Nextcloud" : "Misslyckades skapa den offentliga delningslänken till ditt moln", "You are not allowed to edit link shares that you don't own" : "Du får inte redigera länkdelningar som du inte äger", "Download all files" : "Hämta alla filer", + "Link copied to clipboard" : "Länken kopierad till urklipp", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-postadress som redan har lagts till","{count} e-postadresser som redan har lagts till"], "_1 email address added_::_{count} email addresses added_" : ["1 e-postadress har lagts till","{count} e-postadresser har lagts till"], + "Copy to clipboard" : "Kopiera till urklipp", + "Copy internal link to clipboard" : "Kopiera intern länk till urklipp", + "Only works for people with access to this folder" : "Fungerar endast för personer med åtkomst till den här mappen", + "Only works for people with access to this file" : "Fungerar endast för personer med åtkomst till den här filen", + "Copy public link of \"{title}\" to clipboard" : "Kopiera offentliga länken för \"{title}\" till urklipp", + "Search globally" : "Sök globalt", "Search for share recipients" : "Sök efter delningsmottagare", "No recommendations. Start typing." : "Inga rekommendationer. Börja skriva.", "To upload files, you need to provide your name first." : "För att ladda upp filer måste du först ange ditt namn.", "Enter your name" : "Ange ditt namn", "Submit name" : "Skicka namn", + "Share with {userName}" : "Dela med {userName}", + "Show sharing options" : "Visa delningsalternativ", "Share note" : "Dela kommentar", "Upload files to %s" : "Ladda upp filer till %s", "%s shared a folder with you." : "%s delade en mapp med dig.", @@ -431,7 +427,12 @@ "Uploaded files:" : "Uppladdade filer:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Genom att ladda upp filer godkänner du %1$sanvändarvillkoren %2$s.", "Name" : "Namn", + "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." : "Använd den här metoden för att dela filer med individer eller team inom din organisation. Om mottagaren redan har åtkomst till delningen men inte kan hitta den, kan du skicka den interna delningslänken för enkel åtkomst.", + "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." : "Använd den här metoden för att dela filer med individer eller organisationer utanför din organisation. Filer och mappar kan delas via publika delningslänkar och e-postadresser. Du kan också dela med andra Nextcloud-konton som finns på andra instanser genom deras federerade moln-ID.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Delningar som inte ingår i de interna eller externa delningarna. Detta kan vara delningar från appar eller andra källor.", "Share with accounts, teams, federated cloud id" : "Dela med konton, team, federerat moln-id", + "Share with accounts and teams" : "Dela med konton och team", + "Federated cloud ID" : "Federerat moln-ID", "Email, federated cloud id" : "E-post, federerat moln-id", "Filename must not be empty." : "Filnamn får inte vara tomt." },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_sharing/l10n/sw.js b/apps/files_sharing/l10n/sw.js index b92adb4f8ca..e0ba4a76a2b 100644 --- a/apps/files_sharing/l10n/sw.js +++ b/apps/files_sharing/l10n/sw.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Zalisha nenosiri mpya", "Your administrator has enforced a password protection." : "Msimamizi wako ameweka ulinzi wa nenosiri.", "Automatically copying failed, please copy the share link manually" : "Kunakili kwa otomatiki kulishindikana, tafadhali nakili kiungo cha kushiriki kwa mkono.", - "Link copied to clipboard" : "Kiungo kimenakiliwa kwenye ubao wakunakilia", + "Link copied" : "Kiungo kimenakiliwa", "Email already added" : "Barua pepe imeshaongezwa", "Invalid email address" : "Anwani ya barua pepe si sahihi", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["The following email address is not valid: {emails}","Anwani zifuatazo za barua pepe si sahihi: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count} email address added","{count} Anwani za barua pepe zimeongezwa "], "You can now share the link below to allow people to upload files to your directory." : "Sasa unaweza kushiriki kiungo kilicho hapa chini ili kuruhusu watu kupakia faili kwenye saraka yako.", "Share link" : "Shirikisha kiungo", - "Copy to clipboard" : "Nakili kwenye ubao wa kunakili", + "Copy" : "Nakili", "Send link via email" : "Tuma kiungo kupitia barua pepe", "Enter an email address or paste a list" : "Ingiza anwani ya barua pepe au bandika orodha", "Remove email" : "Ondoa barua pepe", @@ -201,10 +201,7 @@ OC.L10N.register( "Via “{folder}”" : "Kupitia \"{folder}\"", "Unshare" : "Usishirikishe", "Cannot copy, please copy the link manually" : "Haiwezi kunakili, tafadhali nakili kiungio kwa njia za kawaida", - "Copy internal link to clipboard" : "Nakili kiungo cha ndani kwenye ubao wa kunakilia", - "Only works for people with access to this folder" : "Inafanya kazi kwa watu wanaoweza kufikia folda hii pekee", - "Only works for people with access to this file" : " Inafanya kazi kwa watu walio na ufikiaji wa faili hii pekee", - "Link copied" : "Kiungo kimenakiliwa", + "Copy internal link" : "Nakili kiungo cha ndani", "Internal link" : "Kiungo cha ndani", "{shareWith} by {initiator}" : "{shareWith} kwa {initiator}", "Shared via link by {initiator}" : "Imeshirikiwa kupitia kiungo na {initiator}", @@ -215,7 +212,6 @@ OC.L10N.register( "Share link ({index})" : "Shiriki kiungo ({index})", "Create public link" : "Tengeneza kiungo cha umma", "Actions for \"{title}\"" : "Matendo kwa \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Nakili kiungo cha umma cha \"{title}\" kwenye ubao wa kunakili", "Error, please enter proper password and/or expiration date" : "Hitilafu, tafadhali weka nenosiri sahihi na/au tarehe ya mwisho wa matumizi", "Link share created" : "Ushiriki wa kiungo umeundwa", "Error while creating the share" : "Hitilafu wakati wa kuunda kushiriki", @@ -241,7 +237,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Jina, barua pepe au kitambulisho cha Cloudi kilichoshirikishwa...", "Searching …" : "Inatafuta", "No elements found." : "Hakuna vipengele vilivyopatikana", - "Search globally" : "Tafuta kimataifa", + "Search everywhere" : "Tafuta kila mahali", "Guest" : "Mgeni", "Group" : "Kundi", "Email" : "Barua pepe", @@ -260,7 +256,6 @@ OC.L10N.register( "Successfully uploaded files" : " Faili zimepakiwa kikamilifu", "View terms of service" : "Tazama masharti ya huduma", "Terms of service" : "Masharti ya huduma", - "Share with {userName}" : "Shiriki na {userName}", "Share with email {email}" : "Shiriki na barua pepe {email}", "Share with group" : "Shiriki na kundi", "Share in conversation" : "Shiriki katika mazungumzo", @@ -305,13 +300,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Imeshindwa kuleta shiriki zilizorithiwa", "Link shares" : "Unganisha shiriki", "Shares" : "Shiriki", - "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." : "Tumia njia hii kushiriki faili na watu binafsi au timu ndani ya shirika lako. Ikiwa mpokeaji tayari ana idhini ya kufikia kushiriki lakini hawezi kuipata, unaweza kumtumia kiungo cha kushiriki ndani kwa ufikiaji rahisi.", - "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." : "Tumia njia hii kushiriki faili na watu binafsi au mashirika nje ya shirika lako. Faili na folda zinaweza kushirikiwa kupitia viungo vya ushiriki wa umma na anwani za barua pepe. Unaweza pia kushiriki kwa akaunti zingine za Nextcloud zinazopangishwa kwa matukio tofauti kwa kutumia kitambulisho chao cha wingu kilichoshirikishwa.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Shiriki ambazo si sehemu ya shiriki za ndani au nje. Hii inaweza kuwa kushiriki kutoka kwa programu au vyanzo vingine.", - "Share with accounts, teams, federated cloud IDs" : "Shiriki na akaunti, timu, vitambulisho vya Cloud vilivyoshirikishwa", - "Share with accounts and teams" : "Shiriki kwa akaunti na timu", - "Federated cloud ID" : "Kitambulisho cha Cloud kilichoshirikishwa", - "Email, federated cloud ID" : "Barua pepe, kitambulisho cha Cloud kilichoshirikishwa", "Unable to load the shares list" : "Imeshindwa kupakia orodha ya shiriki", "Expires {relativetime}" : "Inaisha wakati {relativetime}", "this share just expired." : "Shiriki hii imeisha muda wake", @@ -330,7 +318,6 @@ OC.L10N.register( "Shared" : "Imeshirikishwa", "Shared by {ownerDisplayName}" : "Imeshirikishwa na{ownerDisplayName}", "Shared multiple times with different people" : "Imeshirikiwa mara nyingi na watu tofauti", - "Show sharing options" : "Onyesha chaguo za kushiriki", "Shared with others" : "Imeshirikiwa na wengine", "Create file request" : "Unda ombi la faili", "Upload files to {foldername}" : "Pakia faili kwa {foldername}", @@ -417,13 +404,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Imeshindwa kuongeza kiungio cha jamii kwenye Nextcloud yako", "You are not allowed to edit link shares that you don't own" : "Huruhusiwi kuhariri vishiriki vya viungo ambavyo humiliki", "Download all files" : "Pakua faili zote", + "Link copied to clipboard" : "Kiungo kimenakiliwa kwenye ubao wakunakilia", "_1 email address already added_::_{count} email addresses already added_" : ["1 email address already added","{count}anwani za barua pepe zimeshaongezwa "], "_1 email address added_::_{count} email addresses added_" : ["1 email address added","{count}anwani za barua pepe zimeongezwa "], + "Copy to clipboard" : "Nakili kwenye ubao wa kunakili", + "Copy internal link to clipboard" : "Nakili kiungo cha ndani kwenye ubao wa kunakilia", + "Only works for people with access to this folder" : "Inafanya kazi kwa watu wanaoweza kufikia folda hii pekee", + "Only works for people with access to this file" : " Inafanya kazi kwa watu walio na ufikiaji wa faili hii pekee", + "Copy public link of \"{title}\" to clipboard" : "Nakili kiungo cha umma cha \"{title}\" kwenye ubao wa kunakili", + "Search globally" : "Tafuta kimataifa", "Search for share recipients" : "Tafuta wapokeaji walioshirikiwa", "No recommendations. Start typing." : "Hakuna maoni. Anza kuchapisha", "To upload files, you need to provide your name first." : "Ili kupakia faili, unahitaji kutoa jina lako kwanza.", "Enter your name" : "Ingiza jina lako ", "Submit name" : "Wasilisha jina", + "Share with {userName}" : "Shiriki na {userName}", + "Show sharing options" : "Onyesha chaguo za kushiriki", "Share note" : "Shiriki dokezo", "Upload files to %s" : "Pakia faili kwa %s", "%s shared a folder with you." : "%s ameshiriki folda nawe.", @@ -433,7 +429,12 @@ OC.L10N.register( "Uploaded files:" : "Faili zilizopakiwa:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Kwa kupakia faili, unakubali %1$s masharti ya huduma %2$s.", "Name" : "Jina", + "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." : "Tumia njia hii kushiriki faili na watu binafsi au timu ndani ya shirika lako. Ikiwa mpokeaji tayari ana idhini ya kufikia kushiriki lakini hawezi kuipata, unaweza kumtumia kiungo cha kushiriki ndani kwa ufikiaji rahisi.", + "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." : "Tumia njia hii kushiriki faili na watu binafsi au mashirika nje ya shirika lako. Faili na folda zinaweza kushirikiwa kupitia viungo vya ushiriki wa umma na anwani za barua pepe. Unaweza pia kushiriki kwa akaunti zingine za Nextcloud zinazopangishwa kwa matukio tofauti kwa kutumia kitambulisho chao cha wingu kilichoshirikishwa.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Shiriki ambazo si sehemu ya shiriki za ndani au nje. Hii inaweza kuwa kushiriki kutoka kwa programu au vyanzo vingine.", "Share with accounts, teams, federated cloud id" : "Shiriki na akaunti, timu, kitambulisho cha Cloud kilichoshirikishwa", + "Share with accounts and teams" : "Shiriki kwa akaunti na timu", + "Federated cloud ID" : "Kitambulisho cha Cloud kilichoshirikishwa", "Email, federated cloud id" : "Barua pepe, kitambulisho cha Cloud kilichoshirikishwa", "Filename must not be empty." : "Jina la faili halipaswi kuwa tupu" }, diff --git a/apps/files_sharing/l10n/sw.json b/apps/files_sharing/l10n/sw.json index b8c4da07c60..7d1e311c41a 100644 --- a/apps/files_sharing/l10n/sw.json +++ b/apps/files_sharing/l10n/sw.json @@ -132,7 +132,7 @@ "Generate a new password" : "Zalisha nenosiri mpya", "Your administrator has enforced a password protection." : "Msimamizi wako ameweka ulinzi wa nenosiri.", "Automatically copying failed, please copy the share link manually" : "Kunakili kwa otomatiki kulishindikana, tafadhali nakili kiungo cha kushiriki kwa mkono.", - "Link copied to clipboard" : "Kiungo kimenakiliwa kwenye ubao wakunakilia", + "Link copied" : "Kiungo kimenakiliwa", "Email already added" : "Barua pepe imeshaongezwa", "Invalid email address" : "Anwani ya barua pepe si sahihi", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["The following email address is not valid: {emails}","Anwani zifuatazo za barua pepe si sahihi: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count} email address added","{count} Anwani za barua pepe zimeongezwa "], "You can now share the link below to allow people to upload files to your directory." : "Sasa unaweza kushiriki kiungo kilicho hapa chini ili kuruhusu watu kupakia faili kwenye saraka yako.", "Share link" : "Shirikisha kiungo", - "Copy to clipboard" : "Nakili kwenye ubao wa kunakili", + "Copy" : "Nakili", "Send link via email" : "Tuma kiungo kupitia barua pepe", "Enter an email address or paste a list" : "Ingiza anwani ya barua pepe au bandika orodha", "Remove email" : "Ondoa barua pepe", @@ -199,10 +199,7 @@ "Via “{folder}”" : "Kupitia \"{folder}\"", "Unshare" : "Usishirikishe", "Cannot copy, please copy the link manually" : "Haiwezi kunakili, tafadhali nakili kiungio kwa njia za kawaida", - "Copy internal link to clipboard" : "Nakili kiungo cha ndani kwenye ubao wa kunakilia", - "Only works for people with access to this folder" : "Inafanya kazi kwa watu wanaoweza kufikia folda hii pekee", - "Only works for people with access to this file" : " Inafanya kazi kwa watu walio na ufikiaji wa faili hii pekee", - "Link copied" : "Kiungo kimenakiliwa", + "Copy internal link" : "Nakili kiungo cha ndani", "Internal link" : "Kiungo cha ndani", "{shareWith} by {initiator}" : "{shareWith} kwa {initiator}", "Shared via link by {initiator}" : "Imeshirikiwa kupitia kiungo na {initiator}", @@ -213,7 +210,6 @@ "Share link ({index})" : "Shiriki kiungo ({index})", "Create public link" : "Tengeneza kiungo cha umma", "Actions for \"{title}\"" : "Matendo kwa \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Nakili kiungo cha umma cha \"{title}\" kwenye ubao wa kunakili", "Error, please enter proper password and/or expiration date" : "Hitilafu, tafadhali weka nenosiri sahihi na/au tarehe ya mwisho wa matumizi", "Link share created" : "Ushiriki wa kiungo umeundwa", "Error while creating the share" : "Hitilafu wakati wa kuunda kushiriki", @@ -239,7 +235,7 @@ "Name, email, or Federated Cloud ID …" : "Jina, barua pepe au kitambulisho cha Cloudi kilichoshirikishwa...", "Searching …" : "Inatafuta", "No elements found." : "Hakuna vipengele vilivyopatikana", - "Search globally" : "Tafuta kimataifa", + "Search everywhere" : "Tafuta kila mahali", "Guest" : "Mgeni", "Group" : "Kundi", "Email" : "Barua pepe", @@ -258,7 +254,6 @@ "Successfully uploaded files" : " Faili zimepakiwa kikamilifu", "View terms of service" : "Tazama masharti ya huduma", "Terms of service" : "Masharti ya huduma", - "Share with {userName}" : "Shiriki na {userName}", "Share with email {email}" : "Shiriki na barua pepe {email}", "Share with group" : "Shiriki na kundi", "Share in conversation" : "Shiriki katika mazungumzo", @@ -303,13 +298,6 @@ "Unable to fetch inherited shares" : "Imeshindwa kuleta shiriki zilizorithiwa", "Link shares" : "Unganisha shiriki", "Shares" : "Shiriki", - "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." : "Tumia njia hii kushiriki faili na watu binafsi au timu ndani ya shirika lako. Ikiwa mpokeaji tayari ana idhini ya kufikia kushiriki lakini hawezi kuipata, unaweza kumtumia kiungo cha kushiriki ndani kwa ufikiaji rahisi.", - "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." : "Tumia njia hii kushiriki faili na watu binafsi au mashirika nje ya shirika lako. Faili na folda zinaweza kushirikiwa kupitia viungo vya ushiriki wa umma na anwani za barua pepe. Unaweza pia kushiriki kwa akaunti zingine za Nextcloud zinazopangishwa kwa matukio tofauti kwa kutumia kitambulisho chao cha wingu kilichoshirikishwa.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Shiriki ambazo si sehemu ya shiriki za ndani au nje. Hii inaweza kuwa kushiriki kutoka kwa programu au vyanzo vingine.", - "Share with accounts, teams, federated cloud IDs" : "Shiriki na akaunti, timu, vitambulisho vya Cloud vilivyoshirikishwa", - "Share with accounts and teams" : "Shiriki kwa akaunti na timu", - "Federated cloud ID" : "Kitambulisho cha Cloud kilichoshirikishwa", - "Email, federated cloud ID" : "Barua pepe, kitambulisho cha Cloud kilichoshirikishwa", "Unable to load the shares list" : "Imeshindwa kupakia orodha ya shiriki", "Expires {relativetime}" : "Inaisha wakati {relativetime}", "this share just expired." : "Shiriki hii imeisha muda wake", @@ -328,7 +316,6 @@ "Shared" : "Imeshirikishwa", "Shared by {ownerDisplayName}" : "Imeshirikishwa na{ownerDisplayName}", "Shared multiple times with different people" : "Imeshirikiwa mara nyingi na watu tofauti", - "Show sharing options" : "Onyesha chaguo za kushiriki", "Shared with others" : "Imeshirikiwa na wengine", "Create file request" : "Unda ombi la faili", "Upload files to {foldername}" : "Pakia faili kwa {foldername}", @@ -415,13 +402,22 @@ "Failed to add the public link to your Nextcloud" : "Imeshindwa kuongeza kiungio cha jamii kwenye Nextcloud yako", "You are not allowed to edit link shares that you don't own" : "Huruhusiwi kuhariri vishiriki vya viungo ambavyo humiliki", "Download all files" : "Pakua faili zote", + "Link copied to clipboard" : "Kiungo kimenakiliwa kwenye ubao wakunakilia", "_1 email address already added_::_{count} email addresses already added_" : ["1 email address already added","{count}anwani za barua pepe zimeshaongezwa "], "_1 email address added_::_{count} email addresses added_" : ["1 email address added","{count}anwani za barua pepe zimeongezwa "], + "Copy to clipboard" : "Nakili kwenye ubao wa kunakili", + "Copy internal link to clipboard" : "Nakili kiungo cha ndani kwenye ubao wa kunakilia", + "Only works for people with access to this folder" : "Inafanya kazi kwa watu wanaoweza kufikia folda hii pekee", + "Only works for people with access to this file" : " Inafanya kazi kwa watu walio na ufikiaji wa faili hii pekee", + "Copy public link of \"{title}\" to clipboard" : "Nakili kiungo cha umma cha \"{title}\" kwenye ubao wa kunakili", + "Search globally" : "Tafuta kimataifa", "Search for share recipients" : "Tafuta wapokeaji walioshirikiwa", "No recommendations. Start typing." : "Hakuna maoni. Anza kuchapisha", "To upload files, you need to provide your name first." : "Ili kupakia faili, unahitaji kutoa jina lako kwanza.", "Enter your name" : "Ingiza jina lako ", "Submit name" : "Wasilisha jina", + "Share with {userName}" : "Shiriki na {userName}", + "Show sharing options" : "Onyesha chaguo za kushiriki", "Share note" : "Shiriki dokezo", "Upload files to %s" : "Pakia faili kwa %s", "%s shared a folder with you." : "%s ameshiriki folda nawe.", @@ -431,7 +427,12 @@ "Uploaded files:" : "Faili zilizopakiwa:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Kwa kupakia faili, unakubali %1$s masharti ya huduma %2$s.", "Name" : "Jina", + "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." : "Tumia njia hii kushiriki faili na watu binafsi au timu ndani ya shirika lako. Ikiwa mpokeaji tayari ana idhini ya kufikia kushiriki lakini hawezi kuipata, unaweza kumtumia kiungo cha kushiriki ndani kwa ufikiaji rahisi.", + "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." : "Tumia njia hii kushiriki faili na watu binafsi au mashirika nje ya shirika lako. Faili na folda zinaweza kushirikiwa kupitia viungo vya ushiriki wa umma na anwani za barua pepe. Unaweza pia kushiriki kwa akaunti zingine za Nextcloud zinazopangishwa kwa matukio tofauti kwa kutumia kitambulisho chao cha wingu kilichoshirikishwa.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Shiriki ambazo si sehemu ya shiriki za ndani au nje. Hii inaweza kuwa kushiriki kutoka kwa programu au vyanzo vingine.", "Share with accounts, teams, federated cloud id" : "Shiriki na akaunti, timu, kitambulisho cha Cloud kilichoshirikishwa", + "Share with accounts and teams" : "Shiriki kwa akaunti na timu", + "Federated cloud ID" : "Kitambulisho cha Cloud kilichoshirikishwa", "Email, federated cloud id" : "Barua pepe, kitambulisho cha Cloud kilichoshirikishwa", "Filename must not be empty." : "Jina la faili halipaswi kuwa tupu" },"pluralForm" :"nplurals=2; plural=(n != 1);" diff --git a/apps/files_sharing/l10n/tr.js b/apps/files_sharing/l10n/tr.js index 9b48f187e49..d56a3f194b5 100644 --- a/apps/files_sharing/l10n/tr.js +++ b/apps/files_sharing/l10n/tr.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Yeni parola oluştur", "Your administrator has enforced a password protection." : "Yöneticiniz parola korumasını zorunlu kılmış.", "Automatically copying failed, please copy the share link manually" : "Otomatik kopyalama tamamlanamadı. Paylaşım bağlantısını el ile kopyalayın", - "Link copied to clipboard" : "Bağlantı panoya kopyalandı", + "Link copied" : "Bağlantı kopyalandı", "Email already added" : "E-posta adresi zaten eklenmiş", "Invalid email address" : "E-posta adresi geçersiz", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Şu e-posta adresi geçersiz: {emails}","Şu e-posta adresleri geçersiz: {emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count} e-posta adresi eklendi","{count} e-posta adresi eklendi"], "You can now share the link below to allow people to upload files to your directory." : "Artık aşağıdaki bağlantıyı paylaşarak insanların klasörünüze dosya yüklemesini sağlayabilirsiniz.", "Share link" : "Paylaşım bağlantısı", - "Copy to clipboard" : "Panoya kopyala", + "Copy" : "Kopyala", "Send link via email" : "Bağlantıyı e-posta ile gönder", "Enter an email address or paste a list" : "Bir e-posta adresi yazın ya da bir e-posta adresi listesi yapıştırın", "Remove email" : "E-posta adresini kaldır", @@ -201,10 +201,7 @@ OC.L10N.register( "Via “{folder}”" : "“{folder}” ile", "Unshare" : "Paylaşımı kaldır", "Cannot copy, please copy the link manually" : "Kopyalanamadı. Lütfen bağlantıyı el ile kopyalayın", - "Copy internal link to clipboard" : "İç bağlantıyı panoya kopyala", - "Only works for people with access to this folder" : "Yalnızca bu klasöre erişebilen kişiler için geçerlidir", - "Only works for people with access to this file" : "Yalnızca bu dosyaya erişebilen kişiler için geçerlidir", - "Link copied" : "Bağlantı kopyalandı", + "Copy internal link" : "İç bağlantıyı kopyala", "Internal link" : "İç bağlantı", "{shareWith} by {initiator}" : "{initiator} tarafından {shareWith}", "Shared via link by {initiator}" : "{initiator} tarafından bağlantı ile paylaşıldı", @@ -215,7 +212,6 @@ OC.L10N.register( "Share link ({index})" : "Paylaşım bağlantısı ({index})", "Create public link" : "Herkese açık bağlantı ekle", "Actions for \"{title}\"" : "\"{title}\" işlemleri", - "Copy public link of \"{title}\" to clipboard" : "Herkese açık \"{title}\" bağlantısını panoya kopyala", "Error, please enter proper password and/or expiration date" : "Hata. Lütfen uygun bir parola ya da geçerlilik sonu tarihi yazın", "Link share created" : "Paylaşım bağlantısı oluşturuldu", "Error while creating the share" : "Paylaşım oluşturulurken sorun çıktı", @@ -241,7 +237,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Ad, e-posta ya da birleşik bulut kimliği…", "Searching …" : "Aranıyor …", "No elements found." : "Herhangi bir bileşen bulunamadı.", - "Search globally" : "Genel arama", + "Search everywhere" : "Her yerde ara", "Guest" : "Konuk", "Group" : "Grup", "Email" : "E-posta", @@ -260,7 +256,6 @@ OC.L10N.register( "Successfully uploaded files" : "Dosyalar yüklendi", "View terms of service" : "Hizmet koşullarını görüntüle", "Terms of service" : "Hizmet koşulları", - "Share with {userName}" : "{userName} ile paylaş", "Share with email {email}" : "{email} e-posta adresi ile paylaş", "Share with group" : "Grupla paylaş", "Share in conversation" : "Görüşmede paylaş", @@ -305,13 +300,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Devir alınan paylaşımlar alınamadı", "Link shares" : "Bağlantı paylaşımları", "Shares" : "Paylaşımlar", - "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." : "Bu yöntemi, dosyaları kuruluşunuzdaki kişilerle veya takımlarla paylaşmak için kullanın. Alıcının paylaşıma zaten erişimi varsa ancak bulamıyorlarsa, kolay erişmeleri için iç paylaşım bağlantısını gönderebilirsiniz.", - "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." : "Bu yöntemi, dosyaları kuruluşunuzun dışındaki kişilerle veya kuruluşlarla paylaşmak için kullanın. Dosyalar ve klasörler herkese açık paylaşım bağlantıları ve e-posta adresleri ile paylaşılabilir. Ayrıca, birleşik bulut kimliklerini kullanarak farklı kopyalarda barındırılan diğer Nextcloud hesaplarıyla da paylaşım yapabilirsiniz.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "İç veya dış paylaşımların parçası olmayan paylaşımlar. Bunlar uygulamalardan veya diğer kaynaklardan gelen paylaşımlar olabilir.", - "Share with accounts, teams, federated cloud IDs" : "Hesaplar, takımlar ve birleşik bulut kimlikleri ile paylaşın", - "Share with accounts and teams" : "Hesaplar ve takımlarla paylaşın", - "Federated cloud ID" : "Birleşik bulut kimliği", - "Email, federated cloud ID" : "E-posta adresi, birleşik bulut kimliği", "Unable to load the shares list" : "Paylaşımlar listesi yüklenemedi", "Expires {relativetime}" : "Geçerlilik süresi sonu {relativetime}", "this share just expired." : "bu paylaşımın geçerlilik süresi dolmuş.", @@ -330,7 +318,7 @@ OC.L10N.register( "Shared" : "Paylaşılan", "Shared by {ownerDisplayName}" : "{ownerDisplayName} tarafından paylaşılmış", "Shared multiple times with different people" : "Farklı kişilerle birkaç kez paylaşılmış", - "Show sharing options" : "Paylaşım seçeneklerini görüntüle", + "Sharing options" : "Paylaşım seçenekleri", "Shared with others" : "Diğerleri ile paylaşılmış", "Create file request" : "Dosya isteği oluştur", "Upload files to {foldername}" : "Dosyaları {foldername} klasörüne yükle", @@ -417,13 +405,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Herkese açık bağlantı Nextcould üzerine eklenemedi", "You are not allowed to edit link shares that you don't own" : "Sahibi olmadığınız bağlantı paylaşımlarını düzenleme izniniz yok", "Download all files" : "Tüm dosyaları indir", + "Link copied to clipboard" : "Bağlantı panoya kopyalandı", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-posta adresi zaten eklenmiş","{count} e-posta adresi zaten eklenmiş"], "_1 email address added_::_{count} email addresses added_" : ["1 e-posta adresi eklendi","{count} e-posta adresi eklendi"], + "Copy to clipboard" : "Panoya kopyala", + "Copy internal link to clipboard" : "İç bağlantıyı panoya kopyala", + "Only works for people with access to this folder" : "Yalnızca bu klasöre erişebilen kişiler için geçerlidir", + "Only works for people with access to this file" : "Yalnızca bu dosyaya erişebilen kişiler için geçerlidir", + "Copy public link of \"{title}\" to clipboard" : "Herkese açık \"{title}\" bağlantısını panoya kopyala", + "Search globally" : "Genel arama", "Search for share recipients" : "Paylaşım alıcıları ara", "No recommendations. Start typing." : "Herhangi bir öneri yok. Yazmaya başlayın.", "To upload files, you need to provide your name first." : "Dosyaları yükleyebilmek için önce adınızı yazmalısınız.", "Enter your name" : "Adınızı yazın", "Submit name" : "Adı gönder", + "Share with {userName}" : "{userName} ile paylaş", + "Show sharing options" : "Paylaşım seçeneklerini görüntüle", "Share note" : "Notu paylaş", "Upload files to %s" : "Dosyaları %s konumuna yükle", "%s shared a folder with you." : "%s sizinle bir klasör paylaştı.", @@ -433,7 +430,12 @@ OC.L10N.register( "Uploaded files:" : "Yüklenmiş dosyalar:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Dosya yükleyerek %1$shizmet koşullarını%2$s kabul etmiş olursunuz.", "Name" : "Ad", + "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." : "Bu yöntemi, dosyaları kuruluşunuzdaki kişilerle veya takımlarla paylaşmak için kullanın. Alıcının paylaşıma zaten erişimi varsa ancak bulamıyorlarsa, kolay erişmeleri için iç paylaşım bağlantısını gönderebilirsiniz.", + "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." : "Bu yöntemi, dosyaları kuruluşunuzun dışındaki kişilerle veya kuruluşlarla paylaşmak için kullanın. Dosyalar ve klasörler herkese açık paylaşım bağlantıları ve e-posta adresleri ile paylaşılabilir. Ayrıca, birleşik bulut kimliklerini kullanarak farklı kopyalarda barındırılan diğer Nextcloud hesaplarıyla da paylaşım yapabilirsiniz.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "İç veya dış paylaşımların parçası olmayan paylaşımlar. Bunlar uygulamalardan veya diğer kaynaklardan gelen paylaşımlar olabilir.", "Share with accounts, teams, federated cloud id" : "Hesaplar, takımlar ve birleşik bulut kimlikleri ile paylaşın", + "Share with accounts and teams" : "Hesaplar ve takımlarla paylaşın", + "Federated cloud ID" : "Birleşik bulut kimliği", "Email, federated cloud id" : "E-posta adresi, birleşik bulut kimliği", "Filename must not be empty." : "Dosya adı boş olamaz." }, diff --git a/apps/files_sharing/l10n/tr.json b/apps/files_sharing/l10n/tr.json index 315949ca7d0..eeb2875b69c 100644 --- a/apps/files_sharing/l10n/tr.json +++ b/apps/files_sharing/l10n/tr.json @@ -132,7 +132,7 @@ "Generate a new password" : "Yeni parola oluştur", "Your administrator has enforced a password protection." : "Yöneticiniz parola korumasını zorunlu kılmış.", "Automatically copying failed, please copy the share link manually" : "Otomatik kopyalama tamamlanamadı. Paylaşım bağlantısını el ile kopyalayın", - "Link copied to clipboard" : "Bağlantı panoya kopyalandı", + "Link copied" : "Bağlantı kopyalandı", "Email already added" : "E-posta adresi zaten eklenmiş", "Invalid email address" : "E-posta adresi geçersiz", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["Şu e-posta adresi geçersiz: {emails}","Şu e-posta adresleri geçersiz: {emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count} e-posta adresi eklendi","{count} e-posta adresi eklendi"], "You can now share the link below to allow people to upload files to your directory." : "Artık aşağıdaki bağlantıyı paylaşarak insanların klasörünüze dosya yüklemesini sağlayabilirsiniz.", "Share link" : "Paylaşım bağlantısı", - "Copy to clipboard" : "Panoya kopyala", + "Copy" : "Kopyala", "Send link via email" : "Bağlantıyı e-posta ile gönder", "Enter an email address or paste a list" : "Bir e-posta adresi yazın ya da bir e-posta adresi listesi yapıştırın", "Remove email" : "E-posta adresini kaldır", @@ -199,10 +199,7 @@ "Via “{folder}”" : "“{folder}” ile", "Unshare" : "Paylaşımı kaldır", "Cannot copy, please copy the link manually" : "Kopyalanamadı. Lütfen bağlantıyı el ile kopyalayın", - "Copy internal link to clipboard" : "İç bağlantıyı panoya kopyala", - "Only works for people with access to this folder" : "Yalnızca bu klasöre erişebilen kişiler için geçerlidir", - "Only works for people with access to this file" : "Yalnızca bu dosyaya erişebilen kişiler için geçerlidir", - "Link copied" : "Bağlantı kopyalandı", + "Copy internal link" : "İç bağlantıyı kopyala", "Internal link" : "İç bağlantı", "{shareWith} by {initiator}" : "{initiator} tarafından {shareWith}", "Shared via link by {initiator}" : "{initiator} tarafından bağlantı ile paylaşıldı", @@ -213,7 +210,6 @@ "Share link ({index})" : "Paylaşım bağlantısı ({index})", "Create public link" : "Herkese açık bağlantı ekle", "Actions for \"{title}\"" : "\"{title}\" işlemleri", - "Copy public link of \"{title}\" to clipboard" : "Herkese açık \"{title}\" bağlantısını panoya kopyala", "Error, please enter proper password and/or expiration date" : "Hata. Lütfen uygun bir parola ya da geçerlilik sonu tarihi yazın", "Link share created" : "Paylaşım bağlantısı oluşturuldu", "Error while creating the share" : "Paylaşım oluşturulurken sorun çıktı", @@ -239,7 +235,7 @@ "Name, email, or Federated Cloud ID …" : "Ad, e-posta ya da birleşik bulut kimliği…", "Searching …" : "Aranıyor …", "No elements found." : "Herhangi bir bileşen bulunamadı.", - "Search globally" : "Genel arama", + "Search everywhere" : "Her yerde ara", "Guest" : "Konuk", "Group" : "Grup", "Email" : "E-posta", @@ -258,7 +254,6 @@ "Successfully uploaded files" : "Dosyalar yüklendi", "View terms of service" : "Hizmet koşullarını görüntüle", "Terms of service" : "Hizmet koşulları", - "Share with {userName}" : "{userName} ile paylaş", "Share with email {email}" : "{email} e-posta adresi ile paylaş", "Share with group" : "Grupla paylaş", "Share in conversation" : "Görüşmede paylaş", @@ -303,13 +298,6 @@ "Unable to fetch inherited shares" : "Devir alınan paylaşımlar alınamadı", "Link shares" : "Bağlantı paylaşımları", "Shares" : "Paylaşımlar", - "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." : "Bu yöntemi, dosyaları kuruluşunuzdaki kişilerle veya takımlarla paylaşmak için kullanın. Alıcının paylaşıma zaten erişimi varsa ancak bulamıyorlarsa, kolay erişmeleri için iç paylaşım bağlantısını gönderebilirsiniz.", - "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." : "Bu yöntemi, dosyaları kuruluşunuzun dışındaki kişilerle veya kuruluşlarla paylaşmak için kullanın. Dosyalar ve klasörler herkese açık paylaşım bağlantıları ve e-posta adresleri ile paylaşılabilir. Ayrıca, birleşik bulut kimliklerini kullanarak farklı kopyalarda barındırılan diğer Nextcloud hesaplarıyla da paylaşım yapabilirsiniz.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "İç veya dış paylaşımların parçası olmayan paylaşımlar. Bunlar uygulamalardan veya diğer kaynaklardan gelen paylaşımlar olabilir.", - "Share with accounts, teams, federated cloud IDs" : "Hesaplar, takımlar ve birleşik bulut kimlikleri ile paylaşın", - "Share with accounts and teams" : "Hesaplar ve takımlarla paylaşın", - "Federated cloud ID" : "Birleşik bulut kimliği", - "Email, federated cloud ID" : "E-posta adresi, birleşik bulut kimliği", "Unable to load the shares list" : "Paylaşımlar listesi yüklenemedi", "Expires {relativetime}" : "Geçerlilik süresi sonu {relativetime}", "this share just expired." : "bu paylaşımın geçerlilik süresi dolmuş.", @@ -328,7 +316,7 @@ "Shared" : "Paylaşılan", "Shared by {ownerDisplayName}" : "{ownerDisplayName} tarafından paylaşılmış", "Shared multiple times with different people" : "Farklı kişilerle birkaç kez paylaşılmış", - "Show sharing options" : "Paylaşım seçeneklerini görüntüle", + "Sharing options" : "Paylaşım seçenekleri", "Shared with others" : "Diğerleri ile paylaşılmış", "Create file request" : "Dosya isteği oluştur", "Upload files to {foldername}" : "Dosyaları {foldername} klasörüne yükle", @@ -415,13 +403,22 @@ "Failed to add the public link to your Nextcloud" : "Herkese açık bağlantı Nextcould üzerine eklenemedi", "You are not allowed to edit link shares that you don't own" : "Sahibi olmadığınız bağlantı paylaşımlarını düzenleme izniniz yok", "Download all files" : "Tüm dosyaları indir", + "Link copied to clipboard" : "Bağlantı panoya kopyalandı", "_1 email address already added_::_{count} email addresses already added_" : ["1 e-posta adresi zaten eklenmiş","{count} e-posta adresi zaten eklenmiş"], "_1 email address added_::_{count} email addresses added_" : ["1 e-posta adresi eklendi","{count} e-posta adresi eklendi"], + "Copy to clipboard" : "Panoya kopyala", + "Copy internal link to clipboard" : "İç bağlantıyı panoya kopyala", + "Only works for people with access to this folder" : "Yalnızca bu klasöre erişebilen kişiler için geçerlidir", + "Only works for people with access to this file" : "Yalnızca bu dosyaya erişebilen kişiler için geçerlidir", + "Copy public link of \"{title}\" to clipboard" : "Herkese açık \"{title}\" bağlantısını panoya kopyala", + "Search globally" : "Genel arama", "Search for share recipients" : "Paylaşım alıcıları ara", "No recommendations. Start typing." : "Herhangi bir öneri yok. Yazmaya başlayın.", "To upload files, you need to provide your name first." : "Dosyaları yükleyebilmek için önce adınızı yazmalısınız.", "Enter your name" : "Adınızı yazın", "Submit name" : "Adı gönder", + "Share with {userName}" : "{userName} ile paylaş", + "Show sharing options" : "Paylaşım seçeneklerini görüntüle", "Share note" : "Notu paylaş", "Upload files to %s" : "Dosyaları %s konumuna yükle", "%s shared a folder with you." : "%s sizinle bir klasör paylaştı.", @@ -431,7 +428,12 @@ "Uploaded files:" : "Yüklenmiş dosyalar:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Dosya yükleyerek %1$shizmet koşullarını%2$s kabul etmiş olursunuz.", "Name" : "Ad", + "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." : "Bu yöntemi, dosyaları kuruluşunuzdaki kişilerle veya takımlarla paylaşmak için kullanın. Alıcının paylaşıma zaten erişimi varsa ancak bulamıyorlarsa, kolay erişmeleri için iç paylaşım bağlantısını gönderebilirsiniz.", + "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." : "Bu yöntemi, dosyaları kuruluşunuzun dışındaki kişilerle veya kuruluşlarla paylaşmak için kullanın. Dosyalar ve klasörler herkese açık paylaşım bağlantıları ve e-posta adresleri ile paylaşılabilir. Ayrıca, birleşik bulut kimliklerini kullanarak farklı kopyalarda barındırılan diğer Nextcloud hesaplarıyla da paylaşım yapabilirsiniz.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "İç veya dış paylaşımların parçası olmayan paylaşımlar. Bunlar uygulamalardan veya diğer kaynaklardan gelen paylaşımlar olabilir.", "Share with accounts, teams, federated cloud id" : "Hesaplar, takımlar ve birleşik bulut kimlikleri ile paylaşın", + "Share with accounts and teams" : "Hesaplar ve takımlarla paylaşın", + "Federated cloud ID" : "Birleşik bulut kimliği", "Email, federated cloud id" : "E-posta adresi, birleşik bulut kimliği", "Filename must not be empty." : "Dosya adı boş olamaz." },"pluralForm" :"nplurals=2; plural=(n > 1);" diff --git a/apps/files_sharing/l10n/ug.js b/apps/files_sharing/l10n/ug.js index 07ed931958d..0a1c474c38a 100644 --- a/apps/files_sharing/l10n/ug.js +++ b/apps/files_sharing/l10n/ug.js @@ -131,12 +131,12 @@ OC.L10N.register( "Generate a new password" : "يېڭى پارول ھاسىل قىلىڭ", "Your administrator has enforced a password protection." : "باشقۇرغۇچىڭىز مەخپىي نومۇر قوغداشنى يولغا قويدى.", "Automatically copying failed, please copy the share link manually" : "ئاپتوماتىك كۆچۈرۈش مەغلۇب بولدى ، ئورتاقلىشىش ئۇلانمىسىنى قولدا كۆچۈرۈڭ", - "Link copied to clipboard" : "ئۇلىنىش چاپلاش تاختىسىغا كۆچۈرۈلدى", + "Link copied" : "ئۇلىنىش كۆچۈرۈلدى", "Email already added" : "ئېلېكترونلۇق خەت قوشۇلدى", "Invalid email address" : "ئىناۋەتسىز ئېلخەت ئادرېسى", "You can now share the link below to allow people to upload files to your directory." : "سىز تۆۋەندىكى ئۇلىنىشنى ھەمبەھىرلەپ ، كىشىلەرنىڭ مۇندەرىجىڭىزگە ھۆججەت يوللىشىغا يول قويالايسىز.", "Share link" : "Share link", - "Copy to clipboard" : "چاپلاش تاختىسىغا كۆچۈرۈڭ", + "Copy" : "كۆچۈرۈڭ", "Send link via email" : "ئېلېكترونلۇق خەت ئارقىلىق ئۇلىنىش ئەۋەتىڭ", "Enter an email address or paste a list" : "ئېلېكترونلۇق خەت ئادرېسىنى كىرگۈزۈڭ ياكى تىزىملىك چاپلاڭ", "Remove email" : "ئېلېكترونلۇق خەتنى ئۆچۈرۈڭ", @@ -190,10 +190,7 @@ OC.L10N.register( "Via “{folder}”" : "«{folder}» ئارقىلىق", "Unshare" : "ھەمبەھىرلىمە", "Cannot copy, please copy the link manually" : "كۆچۈرگىلى بولمايدۇ ، ئۇلىنىشنى قولدا كۆچۈرۈڭ", - "Copy internal link to clipboard" : "ئىچكى ئۇلىنىشنى چاپلاش تاختىسىغا كۆچۈرۈڭ", - "Only works for people with access to this folder" : "پەقەت بۇ ھۆججەت قىسقۇچنى زىيارەت قىلالايدىغان كىشىلەر ئۈچۈن ئىشلەيدۇ", - "Only works for people with access to this file" : "پەقەت بۇ ھۆججەتنى زىيارەت قىلالايدىغان كىشىلەر ئۈچۈن ئىشلەيدۇ", - "Link copied" : "ئۇلىنىش كۆچۈرۈلدى", + "Copy internal link" : "ئىچكى ئۇلىنىشنى كۆچۈرۈڭ", "Internal link" : "ئىچكى ئۇلىنىش", "{shareWith} by {initiator}" : "{shareWith} تەرىپىدىن {initiator}", "Shared via link by {initiator}" : "{initiator} by ئۇلىنىش ئارقىلىق ھەمبەھىرلەندى", @@ -204,7 +201,6 @@ OC.L10N.register( "Share link ({index})" : "ئورتاقلىشىش ئۇلىنىشى ({index})", "Create public link" : "ئاممىۋى ئۇلىنىش قۇر", "Actions for \"{title}\"" : "\"{title}\" نىڭ ھەرىكەتلىرى", - "Copy public link of \"{title}\" to clipboard" : "«{title}» نىڭ ئاممىۋى ئۇلىنىشىنى چاپلاش تاختىسىغا كۆچۈرۈڭ", "Error, please enter proper password and/or expiration date" : "خاتالىق ، مۇۋاپىق پارول ۋە / ياكى مۇددىتى توشقان ۋاقىتنى كىرگۈزۈڭ", "Link share created" : "ئۇلىنىش ئۈلۈشى قۇرۇلدى", "Error while creating the share" : "ھەمبەھىرلەشتە خاتالىق", @@ -226,7 +222,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "ئىسمى ، ئېلېكترونلۇق خەت ياكى فېدېراتسىيە بۇلۇت كىملىكى…", "Searching …" : "ئىزدەش…", "No elements found." : "ھېچقانداق ئېلېمېنت تېپىلمىدى.", - "Search globally" : "دۇنيا مىقياسىدا ئىزدەڭ", + "Search everywhere" : "ھەممە يەردىن ئىزدەڭ", "Guest" : "مېھمان", "Group" : "Group", "Email" : "تورخەت", @@ -242,7 +238,6 @@ OC.L10N.register( "By uploading files, you agree to the terms of service." : "ھۆججەتلەرنى يوللاش ئارقىلىق مۇلازىمەت شەرتلىرىگە قوشۇلىسىز.", "View terms of service" : "مۇلازىمەت شەرتلىرىنى كۆرۈش", "Terms of service" : "مۇلازىمەت شەرتلىرى", - "Share with {userName}" : "{userName} بىلەن ئورتاقلىشىڭ", "Share with email {email}" : "ئېلېكترونلۇق خەت {email} خەت}", "Share with group" : "گۇرۇپپا بىلەن ئورتاقلىشىش", "Share in conversation" : "سۆھبەتتە ئورتاقلىشىڭ", @@ -289,7 +284,6 @@ OC.L10N.register( "Shared" : "ئورتاقلاشتى", "Shared by {ownerDisplayName}" : "{ownerDisplayName} بىلەن ئورتاقلاشتى", "Shared multiple times with different people" : "ئوخشىمىغان كىشىلەر بىلەن كۆپ قېتىم ئورتاقلاشتى", - "Show sharing options" : "ئورتاقلىشىش تاللانمىلىرىنى كۆرسەت", "Shared with others" : "باشقىلار بىلەن ئورتاقلاشتى", "Create file request" : "ھۆججەت تەلەپ قىلىش", "Upload files to {foldername}" : "ھۆججەتلەرنى {foldername} نامىغا يۈكلەڭ", @@ -365,11 +359,20 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Nextcloud غا ئاممىۋى ئۇلىنىشنى قوشالمىدى", "You are not allowed to edit link shares that you don't own" : "ئۆزىڭىز ئىگە بولمىغان ئۇلىنىش ھەمبەھىرلىرىنى تەھرىرلىشىڭىزگە رۇخسەت قىلىنمايدۇ", "Download all files" : "بارلىق ھۆججەتلەرنى چۈشۈرۈڭ", + "Link copied to clipboard" : "ئۇلىنىش چاپلاش تاختىسىغا كۆچۈرۈلدى", + "Copy to clipboard" : "چاپلاش تاختىسىغا كۆچۈرۈڭ", + "Copy internal link to clipboard" : "ئىچكى ئۇلىنىشنى چاپلاش تاختىسىغا كۆچۈرۈڭ", + "Only works for people with access to this folder" : "پەقەت بۇ ھۆججەت قىسقۇچنى زىيارەت قىلالايدىغان كىشىلەر ئۈچۈن ئىشلەيدۇ", + "Only works for people with access to this file" : "پەقەت بۇ ھۆججەتنى زىيارەت قىلالايدىغان كىشىلەر ئۈچۈن ئىشلەيدۇ", + "Copy public link of \"{title}\" to clipboard" : "«{title}» نىڭ ئاممىۋى ئۇلىنىشىنى چاپلاش تاختىسىغا كۆچۈرۈڭ", + "Search globally" : "دۇنيا مىقياسىدا ئىزدەڭ", "Search for share recipients" : "ھەمبەھىر تاپشۇرۇۋالغۇچىلارنى ئىزدەڭ", "No recommendations. Start typing." : "تەۋسىيە يوق. يېزىشنى باشلاڭ.", "To upload files, you need to provide your name first." : "ھۆججەتلەرنى يوللاش ئۈچۈن ئالدى بىلەن ئىسمىڭىزنى تەمىنلىشىڭىز كېرەك.", "Enter your name" : "ئىسمىڭىزنى كىرگۈزۈڭ", "Submit name" : "ئىسىم يوللاڭ", + "Share with {userName}" : "{userName} بىلەن ئورتاقلىشىڭ", + "Show sharing options" : "ئورتاقلىشىش تاللانمىلىرىنى كۆرسەت", "Share note" : "ئورتاقلىشىش خاتىرىسى", "Upload files to %s" : "ھۆججەتلەرنى% s غا يۈكلەڭ", "%s shared a folder with you." : "% s ھۆججەت قىسقۇچنى سىز بىلەن ئورتاقلاشتى.", diff --git a/apps/files_sharing/l10n/ug.json b/apps/files_sharing/l10n/ug.json index 228e3144714..4e6e343a570 100644 --- a/apps/files_sharing/l10n/ug.json +++ b/apps/files_sharing/l10n/ug.json @@ -129,12 +129,12 @@ "Generate a new password" : "يېڭى پارول ھاسىل قىلىڭ", "Your administrator has enforced a password protection." : "باشقۇرغۇچىڭىز مەخپىي نومۇر قوغداشنى يولغا قويدى.", "Automatically copying failed, please copy the share link manually" : "ئاپتوماتىك كۆچۈرۈش مەغلۇب بولدى ، ئورتاقلىشىش ئۇلانمىسىنى قولدا كۆچۈرۈڭ", - "Link copied to clipboard" : "ئۇلىنىش چاپلاش تاختىسىغا كۆچۈرۈلدى", + "Link copied" : "ئۇلىنىش كۆچۈرۈلدى", "Email already added" : "ئېلېكترونلۇق خەت قوشۇلدى", "Invalid email address" : "ئىناۋەتسىز ئېلخەت ئادرېسى", "You can now share the link below to allow people to upload files to your directory." : "سىز تۆۋەندىكى ئۇلىنىشنى ھەمبەھىرلەپ ، كىشىلەرنىڭ مۇندەرىجىڭىزگە ھۆججەت يوللىشىغا يول قويالايسىز.", "Share link" : "Share link", - "Copy to clipboard" : "چاپلاش تاختىسىغا كۆچۈرۈڭ", + "Copy" : "كۆچۈرۈڭ", "Send link via email" : "ئېلېكترونلۇق خەت ئارقىلىق ئۇلىنىش ئەۋەتىڭ", "Enter an email address or paste a list" : "ئېلېكترونلۇق خەت ئادرېسىنى كىرگۈزۈڭ ياكى تىزىملىك چاپلاڭ", "Remove email" : "ئېلېكترونلۇق خەتنى ئۆچۈرۈڭ", @@ -188,10 +188,7 @@ "Via “{folder}”" : "«{folder}» ئارقىلىق", "Unshare" : "ھەمبەھىرلىمە", "Cannot copy, please copy the link manually" : "كۆچۈرگىلى بولمايدۇ ، ئۇلىنىشنى قولدا كۆچۈرۈڭ", - "Copy internal link to clipboard" : "ئىچكى ئۇلىنىشنى چاپلاش تاختىسىغا كۆچۈرۈڭ", - "Only works for people with access to this folder" : "پەقەت بۇ ھۆججەت قىسقۇچنى زىيارەت قىلالايدىغان كىشىلەر ئۈچۈن ئىشلەيدۇ", - "Only works for people with access to this file" : "پەقەت بۇ ھۆججەتنى زىيارەت قىلالايدىغان كىشىلەر ئۈچۈن ئىشلەيدۇ", - "Link copied" : "ئۇلىنىش كۆچۈرۈلدى", + "Copy internal link" : "ئىچكى ئۇلىنىشنى كۆچۈرۈڭ", "Internal link" : "ئىچكى ئۇلىنىش", "{shareWith} by {initiator}" : "{shareWith} تەرىپىدىن {initiator}", "Shared via link by {initiator}" : "{initiator} by ئۇلىنىش ئارقىلىق ھەمبەھىرلەندى", @@ -202,7 +199,6 @@ "Share link ({index})" : "ئورتاقلىشىش ئۇلىنىشى ({index})", "Create public link" : "ئاممىۋى ئۇلىنىش قۇر", "Actions for \"{title}\"" : "\"{title}\" نىڭ ھەرىكەتلىرى", - "Copy public link of \"{title}\" to clipboard" : "«{title}» نىڭ ئاممىۋى ئۇلىنىشىنى چاپلاش تاختىسىغا كۆچۈرۈڭ", "Error, please enter proper password and/or expiration date" : "خاتالىق ، مۇۋاپىق پارول ۋە / ياكى مۇددىتى توشقان ۋاقىتنى كىرگۈزۈڭ", "Link share created" : "ئۇلىنىش ئۈلۈشى قۇرۇلدى", "Error while creating the share" : "ھەمبەھىرلەشتە خاتالىق", @@ -224,7 +220,7 @@ "Name, email, or Federated Cloud ID …" : "ئىسمى ، ئېلېكترونلۇق خەت ياكى فېدېراتسىيە بۇلۇت كىملىكى…", "Searching …" : "ئىزدەش…", "No elements found." : "ھېچقانداق ئېلېمېنت تېپىلمىدى.", - "Search globally" : "دۇنيا مىقياسىدا ئىزدەڭ", + "Search everywhere" : "ھەممە يەردىن ئىزدەڭ", "Guest" : "مېھمان", "Group" : "Group", "Email" : "تورخەت", @@ -240,7 +236,6 @@ "By uploading files, you agree to the terms of service." : "ھۆججەتلەرنى يوللاش ئارقىلىق مۇلازىمەت شەرتلىرىگە قوشۇلىسىز.", "View terms of service" : "مۇلازىمەت شەرتلىرىنى كۆرۈش", "Terms of service" : "مۇلازىمەت شەرتلىرى", - "Share with {userName}" : "{userName} بىلەن ئورتاقلىشىڭ", "Share with email {email}" : "ئېلېكترونلۇق خەت {email} خەت}", "Share with group" : "گۇرۇپپا بىلەن ئورتاقلىشىش", "Share in conversation" : "سۆھبەتتە ئورتاقلىشىڭ", @@ -287,7 +282,6 @@ "Shared" : "ئورتاقلاشتى", "Shared by {ownerDisplayName}" : "{ownerDisplayName} بىلەن ئورتاقلاشتى", "Shared multiple times with different people" : "ئوخشىمىغان كىشىلەر بىلەن كۆپ قېتىم ئورتاقلاشتى", - "Show sharing options" : "ئورتاقلىشىش تاللانمىلىرىنى كۆرسەت", "Shared with others" : "باشقىلار بىلەن ئورتاقلاشتى", "Create file request" : "ھۆججەت تەلەپ قىلىش", "Upload files to {foldername}" : "ھۆججەتلەرنى {foldername} نامىغا يۈكلەڭ", @@ -363,11 +357,20 @@ "Failed to add the public link to your Nextcloud" : "Nextcloud غا ئاممىۋى ئۇلىنىشنى قوشالمىدى", "You are not allowed to edit link shares that you don't own" : "ئۆزىڭىز ئىگە بولمىغان ئۇلىنىش ھەمبەھىرلىرىنى تەھرىرلىشىڭىزگە رۇخسەت قىلىنمايدۇ", "Download all files" : "بارلىق ھۆججەتلەرنى چۈشۈرۈڭ", + "Link copied to clipboard" : "ئۇلىنىش چاپلاش تاختىسىغا كۆچۈرۈلدى", + "Copy to clipboard" : "چاپلاش تاختىسىغا كۆچۈرۈڭ", + "Copy internal link to clipboard" : "ئىچكى ئۇلىنىشنى چاپلاش تاختىسىغا كۆچۈرۈڭ", + "Only works for people with access to this folder" : "پەقەت بۇ ھۆججەت قىسقۇچنى زىيارەت قىلالايدىغان كىشىلەر ئۈچۈن ئىشلەيدۇ", + "Only works for people with access to this file" : "پەقەت بۇ ھۆججەتنى زىيارەت قىلالايدىغان كىشىلەر ئۈچۈن ئىشلەيدۇ", + "Copy public link of \"{title}\" to clipboard" : "«{title}» نىڭ ئاممىۋى ئۇلىنىشىنى چاپلاش تاختىسىغا كۆچۈرۈڭ", + "Search globally" : "دۇنيا مىقياسىدا ئىزدەڭ", "Search for share recipients" : "ھەمبەھىر تاپشۇرۇۋالغۇچىلارنى ئىزدەڭ", "No recommendations. Start typing." : "تەۋسىيە يوق. يېزىشنى باشلاڭ.", "To upload files, you need to provide your name first." : "ھۆججەتلەرنى يوللاش ئۈچۈن ئالدى بىلەن ئىسمىڭىزنى تەمىنلىشىڭىز كېرەك.", "Enter your name" : "ئىسمىڭىزنى كىرگۈزۈڭ", "Submit name" : "ئىسىم يوللاڭ", + "Share with {userName}" : "{userName} بىلەن ئورتاقلىشىڭ", + "Show sharing options" : "ئورتاقلىشىش تاللانمىلىرىنى كۆرسەت", "Share note" : "ئورتاقلىشىش خاتىرىسى", "Upload files to %s" : "ھۆججەتلەرنى% s غا يۈكلەڭ", "%s shared a folder with you." : "% s ھۆججەت قىسقۇچنى سىز بىلەن ئورتاقلاشتى.", diff --git a/apps/files_sharing/l10n/uk.js b/apps/files_sharing/l10n/uk.js index 03d3d5eb8fb..9b3f841b980 100644 --- a/apps/files_sharing/l10n/uk.js +++ b/apps/files_sharing/l10n/uk.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "Створити новий пароль", "Your administrator has enforced a password protection." : "Адміністратор встановив політику захисту паролем ", "Automatically copying failed, please copy the share link manually" : "Помилка під час автоматичного копіювання. Скопіюйте вручну посилання на спільний ресурс.", - "Link copied to clipboard" : "Посилання скопійовано в буфер обміну", + "Link copied" : "Посилання скопійовано", "Email already added" : "Ел. адресу вже додано", "Invalid email address" : "Недійсна адреса ел. пошти", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["{emails} ел. адреса не є дійсною ","{emails} ел. адреси не є дійсними ","{emails} ел. адрес не є дійсними ","{emails} ел. адрес не є дійсними "], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["{count} ел. адресу додано","{count} ел. адреси додано","{count} ел. адрес додано","{count} ел. адрес додано"], "You can now share the link below to allow people to upload files to your directory." : "Тепер ви можете поділитися посиланням, за яким користувачі матимуть змогу завантажити файли до вашого каталогу. ", "Share link" : "Передати у публічний доступ", - "Copy to clipboard" : "Копіювати до буферу обміну", + "Copy" : "Копіювати", "Send link via email" : "Надіслати посилання електронною поштою", "Enter an email address or paste a list" : "Зазначте ел. адресу або список адрес", "Remove email" : "Вилучити ел. адресу", @@ -201,10 +201,8 @@ OC.L10N.register( "Via “{folder}”" : "Через “{folder}”", "Unshare" : "Закрити доступ", "Cannot copy, please copy the link manually" : "Неможливо скопіювати, скопіюйте посилання вручну", - "Copy internal link to clipboard" : "Копіювати внутрішнє посилання до буферу обміну", - "Only works for people with access to this folder" : "Доступно лише тим користувачам, які мають доступ до цього каталогу", - "Only works for people with access to this file" : "Доступно лише тим користувачам, які мають доступ до цього файлу", - "Link copied" : "Посилання скопійовано", + "Copy internal link" : "Копіювати посилання", + "For people who already have access" : "Для людей, які вже мають доступ", "Internal link" : "Внутрішнє посилання", "{shareWith} by {initiator}" : "{shareWith} від {initiator}", "Shared via link by {initiator}" : "Спільний доступ через посилання від {initiator}", @@ -215,7 +213,7 @@ OC.L10N.register( "Share link ({index})" : "Поділитися посиланням ({index})", "Create public link" : "Створити публічне посилання", "Actions for \"{title}\"" : "Дія для \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Копіювати публічне посилання \"{title}\" до буферу пам'яти", + "Copy public link of \"{title}\"" : "Скопіювати публічне посилання на «{title}»", "Error, please enter proper password and/or expiration date" : "Помилка. Будь ласка, зазначте правильний пароль та/або термін дії", "Link share created" : "Створено посилання на спільний ресурс", "Error while creating the share" : "Помилка під час створення спільного ресурсу", @@ -241,7 +239,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Ім’я, адреса електронної пошти або ідентифікатор хмари…", "Searching …" : "Пошук...", "No elements found." : "Елементи не знайдено.", - "Search globally" : "Шукати всюди", + "Search everywhere" : "Шукати всюди", "Guest" : "Гість", "Group" : "Група", "Email" : "Ел.пошта", @@ -260,7 +258,7 @@ OC.L10N.register( "Successfully uploaded files" : "Успішно завантажено файли", "View terms of service" : "Переглянути умови користування.", "Terms of service" : "Умови використання", - "Share with {userName}" : "Поділитися з {userName}", + "Share with {user}" : "Поділитися з {user}", "Share with email {email}" : "Поділитися через ел.пошту {email}", "Share with group" : "Поділитися з групою", "Share in conversation" : "Поширити в розмові ", @@ -305,13 +303,14 @@ OC.L10N.register( "Unable to fetch inherited shares" : "Неможливо отримати успадковані спільні ресурси", "Link shares" : "Посилання на спільні ресурси", "Shares" : "Спільні", - "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." : "Використовуйте цей спосіб надання файлів у спільний доступ окремим користувачам або командам. Якщо отримувач вже має доступ до спільного ресурсу, але не може його знайти, ви можете допомогти йому/їй - надіслати посилання на внутрішній ресурс.", - "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." : "Використовуйте цей спосіб надання файлів у спільний доступ окремим користувачам або організаціям за межами вашої організації. Файли та каталоги можна надати у спільний доступ користувачам інших примірників хмар Nextcloud з використанням ідентифікатора об'єднаних хмар.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Спільні ресурси, що не є ані внутрішніми, ані зовнішніми спільними ресурсами, наприклад, спільні ресурси, створені застосунками чи іншими ресурсами.", - "Share with accounts, teams, federated cloud IDs" : "Поділитися з користувачами, командами, об'єднаними хмарами", - "Share with accounts and teams" : "Поділитися з користувачами або командами", - "Federated cloud ID" : "Ідентифікатор об'єднаної хмари", - "Email, federated cloud ID" : "Ел. пошта, ID об'єднаної хмари", + "Share files within your organization. Recipients who can already view the file can also use this link for easy access." : "Діліться файлами всередині своєї організації. Одержувачі, які вже мають доступ до файлу, також можуть скористатися цим посиланням для зручного доступу.", + "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID." : "Діліться файлами з іншими користувачами поза вашою організацією за допомогою публічних посилань та електронних адрес. Ви також можете ділитися файлами з обліковими записами Nextcloud на інших серверах, використовуючи їх федеративний хмарний ідентифікатор.", + "Shares from apps or other sources which are not included in internal or external shares." : "Акції з додатків або інших джерел, які не включені до внутрішніх або зовнішніх акцій.", + "Type names, teams, federated cloud IDs" : "Назви типів, команди, ідентифікатори федеративної хмари", + "Type names or teams" : "Назви типів або команд", + "Type a federated cloud ID" : "Введіть ідентифікатор федеративної хмари", + "Type an email" : "Введіть адресу електронної пошти", + "Type an email or federated cloud ID" : "Введіть адресу електронної пошти або ідентифікатор федеративної хмари", "Unable to load the shares list" : "Не вдалося завантажити список спільних ресурсів", "Expires {relativetime}" : "Термін дії закінчується {relativetime}", "this share just expired." : "термін дії спільного доступу вичерпано.", @@ -330,7 +329,7 @@ OC.L10N.register( "Shared" : "Спільні", "Shared by {ownerDisplayName}" : "{ownerDisplayName} надав(-ла) доступ", "Shared multiple times with different people" : "Поділилися кілька разів з різними людьми", - "Show sharing options" : "Показати налаштування спільного доступу", + "Sharing options" : "Параметри спільного доступу", "Shared with others" : "Ви поділилися", "Create file request" : "Створити запит на файл", "Upload files to {foldername}" : "Завантажити файли до {foldername}", @@ -417,13 +416,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "Не вдалося додати публічне посилання до вашого Nextcloud", "You are not allowed to edit link shares that you don't own" : "У вас відсутні права на редагування спільних ресурсів, якими з вами поділилися через посилання, власником яких ви не є", "Download all files" : "Звантажити всі файли", + "Link copied to clipboard" : "Посилання скопійовано в буфер обміну", "_1 email address already added_::_{count} email addresses already added_" : ["Вже додано 1 адресу ел. пошти","Вже додано {count} адреси ел. пошти","Вже додано {count} адрес ел. пошти","Вже додано {count} адрес ел. пошти"], "_1 email address added_::_{count} email addresses added_" : ["Додано 1 адресу ел. пошти","Додано {count} адреси ел. пошти","Додано {count} адрес ел. пошти","Додано {count} адрес ел. пошти"], + "Copy to clipboard" : "Копіювати до буферу обміну", + "Copy internal link to clipboard" : "Копіювати внутрішнє посилання до буферу обміну", + "Only works for people with access to this folder" : "Доступно лише тим користувачам, які мають доступ до цього каталогу", + "Only works for people with access to this file" : "Доступно лише тим користувачам, які мають доступ до цього файлу", + "Copy public link of \"{title}\" to clipboard" : "Копіювати публічне посилання \"{title}\" до буферу пам'яти", + "Search globally" : "Шукати всюди", "Search for share recipients" : "Виберіть отримувачів", "No recommendations. Start typing." : "Відсутні рекомендації. Будь ласка, додайте.", "To upload files, you need to provide your name first." : "Щоби завантажити файли, спочатку зазначте ваше ім'я.", "Enter your name" : "Зазначте ваше ім'я", "Submit name" : "Надайте ім'я", + "Share with {userName}" : "Поділитися з {userName}", + "Show sharing options" : "Показати налаштування спільного доступу", "Share note" : "Поділитися нотаткою", "Upload files to %s" : "Завантажити файли до %s", "%s shared a folder with you." : "%s поділив(-ла)ся з вами каталогом.", @@ -433,7 +441,12 @@ OC.L10N.register( "Uploaded files:" : "Завантажені файли:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Завантажуючи файли, ви погоджуєтеся з %1$sумовами користування%2$s.", "Name" : "Назва", + "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." : "Використовуйте цей спосіб надання файлів у спільний доступ окремим користувачам або командам. Якщо отримувач вже має доступ до спільного ресурсу, але не може його знайти, ви можете допомогти йому/їй - надіслати посилання на внутрішній ресурс.", + "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." : "Використовуйте цей спосіб надання файлів у спільний доступ окремим користувачам або організаціям за межами вашої організації. Файли та каталоги можна надати у спільний доступ користувачам інших примірників хмар Nextcloud з використанням ідентифікатора об'єднаних хмар.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Спільні ресурси, що не є ані внутрішніми, ані зовнішніми спільними ресурсами, наприклад, спільні ресурси, створені застосунками чи іншими ресурсами.", "Share with accounts, teams, federated cloud id" : "Поділитися з користувачами, командами, ID об'єднаних хмар", + "Share with accounts and teams" : "Поділитися з користувачами або командами", + "Federated cloud ID" : "Ідентифікатор об'єднаної хмари", "Email, federated cloud id" : "Ел.пошта, ідентифікатор об'єднаної хмари", "Filename must not be empty." : "Імена файлів не мають бути порожні." }, diff --git a/apps/files_sharing/l10n/uk.json b/apps/files_sharing/l10n/uk.json index e3a73695290..0e51b0f7716 100644 --- a/apps/files_sharing/l10n/uk.json +++ b/apps/files_sharing/l10n/uk.json @@ -132,7 +132,7 @@ "Generate a new password" : "Створити новий пароль", "Your administrator has enforced a password protection." : "Адміністратор встановив політику захисту паролем ", "Automatically copying failed, please copy the share link manually" : "Помилка під час автоматичного копіювання. Скопіюйте вручну посилання на спільний ресурс.", - "Link copied to clipboard" : "Посилання скопійовано в буфер обміну", + "Link copied" : "Посилання скопійовано", "Email already added" : "Ел. адресу вже додано", "Invalid email address" : "Недійсна адреса ел. пошти", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["{emails} ел. адреса не є дійсною ","{emails} ел. адреси не є дійсними ","{emails} ел. адрес не є дійсними ","{emails} ел. адрес не є дійсними "], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["{count} ел. адресу додано","{count} ел. адреси додано","{count} ел. адрес додано","{count} ел. адрес додано"], "You can now share the link below to allow people to upload files to your directory." : "Тепер ви можете поділитися посиланням, за яким користувачі матимуть змогу завантажити файли до вашого каталогу. ", "Share link" : "Передати у публічний доступ", - "Copy to clipboard" : "Копіювати до буферу обміну", + "Copy" : "Копіювати", "Send link via email" : "Надіслати посилання електронною поштою", "Enter an email address or paste a list" : "Зазначте ел. адресу або список адрес", "Remove email" : "Вилучити ел. адресу", @@ -199,10 +199,8 @@ "Via “{folder}”" : "Через “{folder}”", "Unshare" : "Закрити доступ", "Cannot copy, please copy the link manually" : "Неможливо скопіювати, скопіюйте посилання вручну", - "Copy internal link to clipboard" : "Копіювати внутрішнє посилання до буферу обміну", - "Only works for people with access to this folder" : "Доступно лише тим користувачам, які мають доступ до цього каталогу", - "Only works for people with access to this file" : "Доступно лише тим користувачам, які мають доступ до цього файлу", - "Link copied" : "Посилання скопійовано", + "Copy internal link" : "Копіювати посилання", + "For people who already have access" : "Для людей, які вже мають доступ", "Internal link" : "Внутрішнє посилання", "{shareWith} by {initiator}" : "{shareWith} від {initiator}", "Shared via link by {initiator}" : "Спільний доступ через посилання від {initiator}", @@ -213,7 +211,7 @@ "Share link ({index})" : "Поділитися посиланням ({index})", "Create public link" : "Створити публічне посилання", "Actions for \"{title}\"" : "Дія для \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Копіювати публічне посилання \"{title}\" до буферу пам'яти", + "Copy public link of \"{title}\"" : "Скопіювати публічне посилання на «{title}»", "Error, please enter proper password and/or expiration date" : "Помилка. Будь ласка, зазначте правильний пароль та/або термін дії", "Link share created" : "Створено посилання на спільний ресурс", "Error while creating the share" : "Помилка під час створення спільного ресурсу", @@ -239,7 +237,7 @@ "Name, email, or Federated Cloud ID …" : "Ім’я, адреса електронної пошти або ідентифікатор хмари…", "Searching …" : "Пошук...", "No elements found." : "Елементи не знайдено.", - "Search globally" : "Шукати всюди", + "Search everywhere" : "Шукати всюди", "Guest" : "Гість", "Group" : "Група", "Email" : "Ел.пошта", @@ -258,7 +256,7 @@ "Successfully uploaded files" : "Успішно завантажено файли", "View terms of service" : "Переглянути умови користування.", "Terms of service" : "Умови використання", - "Share with {userName}" : "Поділитися з {userName}", + "Share with {user}" : "Поділитися з {user}", "Share with email {email}" : "Поділитися через ел.пошту {email}", "Share with group" : "Поділитися з групою", "Share in conversation" : "Поширити в розмові ", @@ -303,13 +301,14 @@ "Unable to fetch inherited shares" : "Неможливо отримати успадковані спільні ресурси", "Link shares" : "Посилання на спільні ресурси", "Shares" : "Спільні", - "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." : "Використовуйте цей спосіб надання файлів у спільний доступ окремим користувачам або командам. Якщо отримувач вже має доступ до спільного ресурсу, але не може його знайти, ви можете допомогти йому/їй - надіслати посилання на внутрішній ресурс.", - "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." : "Використовуйте цей спосіб надання файлів у спільний доступ окремим користувачам або організаціям за межами вашої організації. Файли та каталоги можна надати у спільний доступ користувачам інших примірників хмар Nextcloud з використанням ідентифікатора об'єднаних хмар.", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Спільні ресурси, що не є ані внутрішніми, ані зовнішніми спільними ресурсами, наприклад, спільні ресурси, створені застосунками чи іншими ресурсами.", - "Share with accounts, teams, federated cloud IDs" : "Поділитися з користувачами, командами, об'єднаними хмарами", - "Share with accounts and teams" : "Поділитися з користувачами або командами", - "Federated cloud ID" : "Ідентифікатор об'єднаної хмари", - "Email, federated cloud ID" : "Ел. пошта, ID об'єднаної хмари", + "Share files within your organization. Recipients who can already view the file can also use this link for easy access." : "Діліться файлами всередині своєї організації. Одержувачі, які вже мають доступ до файлу, також можуть скористатися цим посиланням для зручного доступу.", + "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID." : "Діліться файлами з іншими користувачами поза вашою організацією за допомогою публічних посилань та електронних адрес. Ви також можете ділитися файлами з обліковими записами Nextcloud на інших серверах, використовуючи їх федеративний хмарний ідентифікатор.", + "Shares from apps or other sources which are not included in internal or external shares." : "Акції з додатків або інших джерел, які не включені до внутрішніх або зовнішніх акцій.", + "Type names, teams, federated cloud IDs" : "Назви типів, команди, ідентифікатори федеративної хмари", + "Type names or teams" : "Назви типів або команд", + "Type a federated cloud ID" : "Введіть ідентифікатор федеративної хмари", + "Type an email" : "Введіть адресу електронної пошти", + "Type an email or federated cloud ID" : "Введіть адресу електронної пошти або ідентифікатор федеративної хмари", "Unable to load the shares list" : "Не вдалося завантажити список спільних ресурсів", "Expires {relativetime}" : "Термін дії закінчується {relativetime}", "this share just expired." : "термін дії спільного доступу вичерпано.", @@ -328,7 +327,7 @@ "Shared" : "Спільні", "Shared by {ownerDisplayName}" : "{ownerDisplayName} надав(-ла) доступ", "Shared multiple times with different people" : "Поділилися кілька разів з різними людьми", - "Show sharing options" : "Показати налаштування спільного доступу", + "Sharing options" : "Параметри спільного доступу", "Shared with others" : "Ви поділилися", "Create file request" : "Створити запит на файл", "Upload files to {foldername}" : "Завантажити файли до {foldername}", @@ -415,13 +414,22 @@ "Failed to add the public link to your Nextcloud" : "Не вдалося додати публічне посилання до вашого Nextcloud", "You are not allowed to edit link shares that you don't own" : "У вас відсутні права на редагування спільних ресурсів, якими з вами поділилися через посилання, власником яких ви не є", "Download all files" : "Звантажити всі файли", + "Link copied to clipboard" : "Посилання скопійовано в буфер обміну", "_1 email address already added_::_{count} email addresses already added_" : ["Вже додано 1 адресу ел. пошти","Вже додано {count} адреси ел. пошти","Вже додано {count} адрес ел. пошти","Вже додано {count} адрес ел. пошти"], "_1 email address added_::_{count} email addresses added_" : ["Додано 1 адресу ел. пошти","Додано {count} адреси ел. пошти","Додано {count} адрес ел. пошти","Додано {count} адрес ел. пошти"], + "Copy to clipboard" : "Копіювати до буферу обміну", + "Copy internal link to clipboard" : "Копіювати внутрішнє посилання до буферу обміну", + "Only works for people with access to this folder" : "Доступно лише тим користувачам, які мають доступ до цього каталогу", + "Only works for people with access to this file" : "Доступно лише тим користувачам, які мають доступ до цього файлу", + "Copy public link of \"{title}\" to clipboard" : "Копіювати публічне посилання \"{title}\" до буферу пам'яти", + "Search globally" : "Шукати всюди", "Search for share recipients" : "Виберіть отримувачів", "No recommendations. Start typing." : "Відсутні рекомендації. Будь ласка, додайте.", "To upload files, you need to provide your name first." : "Щоби завантажити файли, спочатку зазначте ваше ім'я.", "Enter your name" : "Зазначте ваше ім'я", "Submit name" : "Надайте ім'я", + "Share with {userName}" : "Поділитися з {userName}", + "Show sharing options" : "Показати налаштування спільного доступу", "Share note" : "Поділитися нотаткою", "Upload files to %s" : "Завантажити файли до %s", "%s shared a folder with you." : "%s поділив(-ла)ся з вами каталогом.", @@ -431,7 +439,12 @@ "Uploaded files:" : "Завантажені файли:", "By uploading files, you agree to the %1$sterms of service%2$s." : "Завантажуючи файли, ви погоджуєтеся з %1$sумовами користування%2$s.", "Name" : "Назва", + "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." : "Використовуйте цей спосіб надання файлів у спільний доступ окремим користувачам або командам. Якщо отримувач вже має доступ до спільного ресурсу, але не може його знайти, ви можете допомогти йому/їй - надіслати посилання на внутрішній ресурс.", + "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." : "Використовуйте цей спосіб надання файлів у спільний доступ окремим користувачам або організаціям за межами вашої організації. Файли та каталоги можна надати у спільний доступ користувачам інших примірників хмар Nextcloud з використанням ідентифікатора об'єднаних хмар.", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "Спільні ресурси, що не є ані внутрішніми, ані зовнішніми спільними ресурсами, наприклад, спільні ресурси, створені застосунками чи іншими ресурсами.", "Share with accounts, teams, federated cloud id" : "Поділитися з користувачами, командами, ID об'єднаних хмар", + "Share with accounts and teams" : "Поділитися з користувачами або командами", + "Federated cloud ID" : "Ідентифікатор об'єднаної хмари", "Email, federated cloud id" : "Ел.пошта, ідентифікатор об'єднаної хмари", "Filename must not be empty." : "Імена файлів не мають бути порожні." },"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);" diff --git a/apps/files_sharing/l10n/vi.js b/apps/files_sharing/l10n/vi.js index b586e2464bd..e5ed43dc5d6 100644 --- a/apps/files_sharing/l10n/vi.js +++ b/apps/files_sharing/l10n/vi.js @@ -99,8 +99,8 @@ OC.L10N.register( "Expiration date" : "Ngày kết thúc", "Set a password" : "Đặt mật khẩu", "Password" : "Mật khẩu", + "Link copied" : "Đã sao chép liên kết", "Share link" : "Chia sẽ liên kết", - "Copy to clipboard" : "Sao chép vào clipboard", "Select" : "Chọn", "Close" : "Đóng", "Error creating the share: {errorMessage}" : "Lỗi khi tạo chia sẻ: {errorMessage}", @@ -127,8 +127,6 @@ OC.L10N.register( "Via “{folder}”" : "Thông qua “{folder}”", "Unshare" : "Bỏ chia sẽ", "Cannot copy, please copy the link manually" : "Không thể sao chép, vui lòng sao chép liên kết bằng tay", - "Copy internal link to clipboard" : "Sao chép liên kết nội bộ vào bộ nhớ tạm", - "Link copied" : "Đã sao chép liên kết", "Internal link" : "Liên kết nội bộ", "{shareWith} by {initiator}" : "{shareWith} bởi {initiator}", "Shared via link by {initiator}" : "Được chia sẻ qua liên kết bởi {initiator}", @@ -136,7 +134,6 @@ OC.L10N.register( "Share link ({label})" : "Chia sẻ liên kết ({label})", "Share link ({index})" : "Chia sẻ liên kết ({index})", "Actions for \"{title}\"" : "Hành động cho \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Sao chép liên kết công khai của \"{title}\" vào bộ nhớ tạm", "Error, please enter proper password and/or expiration date" : "Lỗi, vui lòng nhập đúng mật khẩu và/hoặc ngày hết hạn", "Link share created" : "Đã tạo liên kết chia sẻ", "Error while creating the share" : "Lỗi khi tạo chia sẻ", @@ -156,7 +153,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "Tên, email hoặc ID đám mây liên kết…", "Searching …" : "Đang tìm kiếm ...", "No elements found." : "Không tìm thấy phần tử nào.", - "Search globally" : "Tìm kiếm trên toàn cầu", + "Search everywhere" : "Tìm ở bất kì đâu", "Guest" : "Khách", "Group" : "Nhóm", "Email" : "Thư điện tử", @@ -255,6 +252,10 @@ OC.L10N.register( "Invalid server URL" : "URL máy chủ không hợp lệ", "Failed to add the public link to your Nextcloud" : "Không thể thêm liên kết công khai", "Download all files" : "Tải xuống tất cả các tập tin", + "Copy to clipboard" : "Sao chép vào clipboard", + "Copy internal link to clipboard" : "Sao chép liên kết nội bộ vào bộ nhớ tạm", + "Copy public link of \"{title}\" to clipboard" : "Sao chép liên kết công khai của \"{title}\" vào bộ nhớ tạm", + "Search globally" : "Tìm kiếm trên toàn cầu", "Search for share recipients" : "Tìm kiếm người nhận chia sẻ", "No recommendations. Start typing." : "Không có khuyến nghị. Bắt đầu gõ.", "Share note" : "Chia sẻ ghi chú", diff --git a/apps/files_sharing/l10n/vi.json b/apps/files_sharing/l10n/vi.json index f6ef616aa7e..37095bbc7d7 100644 --- a/apps/files_sharing/l10n/vi.json +++ b/apps/files_sharing/l10n/vi.json @@ -97,8 +97,8 @@ "Expiration date" : "Ngày kết thúc", "Set a password" : "Đặt mật khẩu", "Password" : "Mật khẩu", + "Link copied" : "Đã sao chép liên kết", "Share link" : "Chia sẽ liên kết", - "Copy to clipboard" : "Sao chép vào clipboard", "Select" : "Chọn", "Close" : "Đóng", "Error creating the share: {errorMessage}" : "Lỗi khi tạo chia sẻ: {errorMessage}", @@ -125,8 +125,6 @@ "Via “{folder}”" : "Thông qua “{folder}”", "Unshare" : "Bỏ chia sẽ", "Cannot copy, please copy the link manually" : "Không thể sao chép, vui lòng sao chép liên kết bằng tay", - "Copy internal link to clipboard" : "Sao chép liên kết nội bộ vào bộ nhớ tạm", - "Link copied" : "Đã sao chép liên kết", "Internal link" : "Liên kết nội bộ", "{shareWith} by {initiator}" : "{shareWith} bởi {initiator}", "Shared via link by {initiator}" : "Được chia sẻ qua liên kết bởi {initiator}", @@ -134,7 +132,6 @@ "Share link ({label})" : "Chia sẻ liên kết ({label})", "Share link ({index})" : "Chia sẻ liên kết ({index})", "Actions for \"{title}\"" : "Hành động cho \"{title}\"", - "Copy public link of \"{title}\" to clipboard" : "Sao chép liên kết công khai của \"{title}\" vào bộ nhớ tạm", "Error, please enter proper password and/or expiration date" : "Lỗi, vui lòng nhập đúng mật khẩu và/hoặc ngày hết hạn", "Link share created" : "Đã tạo liên kết chia sẻ", "Error while creating the share" : "Lỗi khi tạo chia sẻ", @@ -154,7 +151,7 @@ "Name, email, or Federated Cloud ID …" : "Tên, email hoặc ID đám mây liên kết…", "Searching …" : "Đang tìm kiếm ...", "No elements found." : "Không tìm thấy phần tử nào.", - "Search globally" : "Tìm kiếm trên toàn cầu", + "Search everywhere" : "Tìm ở bất kì đâu", "Guest" : "Khách", "Group" : "Nhóm", "Email" : "Thư điện tử", @@ -253,6 +250,10 @@ "Invalid server URL" : "URL máy chủ không hợp lệ", "Failed to add the public link to your Nextcloud" : "Không thể thêm liên kết công khai", "Download all files" : "Tải xuống tất cả các tập tin", + "Copy to clipboard" : "Sao chép vào clipboard", + "Copy internal link to clipboard" : "Sao chép liên kết nội bộ vào bộ nhớ tạm", + "Copy public link of \"{title}\" to clipboard" : "Sao chép liên kết công khai của \"{title}\" vào bộ nhớ tạm", + "Search globally" : "Tìm kiếm trên toàn cầu", "Search for share recipients" : "Tìm kiếm người nhận chia sẻ", "No recommendations. Start typing." : "Không có khuyến nghị. Bắt đầu gõ.", "Share note" : "Chia sẻ ghi chú", diff --git a/apps/files_sharing/l10n/zh_CN.js b/apps/files_sharing/l10n/zh_CN.js index 2be5b54648c..caceb9e99af 100644 --- a/apps/files_sharing/l10n/zh_CN.js +++ b/apps/files_sharing/l10n/zh_CN.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "生成新密码", "Your administrator has enforced a password protection." : "您的管理员已强制实施密码保护。", "Automatically copying failed, please copy the share link manually" : "自动复制失败,请手动复制共享链接", - "Link copied to clipboard" : "链接已复制到剪贴板", + "Link copied" : "已复制链接", "Email already added" : "电子邮箱已添加", "Invalid email address" : "无效电子邮箱地址", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["以下电子邮箱地址无效:{emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["已添加 {count} 个电子邮件地址"], "You can now share the link below to allow people to upload files to your directory." : "现在,你可以分享下面的链接,允许人们将文件上传到你的目录。", "Share link" : "共享链接", - "Copy to clipboard" : "复制到剪贴板", + "Copy" : "复制", "Send link via email" : "通过邮件发送链接", "Enter an email address or paste a list" : "输入电子邮箱地址或粘贴一个列表", "Remove email" : "移除电子邮箱", @@ -201,10 +201,7 @@ OC.L10N.register( "Via “{folder}”" : "通过“{folder}”", "Unshare" : "取消共享", "Cannot copy, please copy the link manually" : "无法复制,请手动复制链接", - "Copy internal link to clipboard" : "复制内部链接到剪贴板", - "Only works for people with access to this folder" : "仅适用于可以访问该文件夹的用户", - "Only works for people with access to this file" : "仅适用于可以访问该文件的用户", - "Link copied" : "已复制链接", + "Copy internal link" : "复制内部链接", "Internal link" : "内部链接", "{shareWith} by {initiator}" : "由 {initiator} 通过 {shareWith} 共享", "Shared via link by {initiator}" : "由 {initiator} 通过链接共享", @@ -215,7 +212,6 @@ OC.L10N.register( "Share link ({index})" : "分享链接({index})", "Create public link" : "生成公开链接地址", "Actions for \"{title}\"" : "“{title}”的动作", - "Copy public link of \"{title}\" to clipboard" : "将“{title}”的公开链接复制到剪贴板", "Error, please enter proper password and/or expiration date" : "错误,请输入正确的密码和/或过期日期", "Link share created" : "已创建链接分享", "Error while creating the share" : "创建共享时出错", @@ -241,7 +237,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "名称、电子邮件或联合云 ID…", "Searching …" : "正在搜索…", "No elements found." : "未发现元素。", - "Search globally" : "全局搜索", + "Search everywhere" : "在所有位置搜索", "Guest" : "访客", "Group" : "群组", "Email" : "电子邮件", @@ -260,7 +256,6 @@ OC.L10N.register( "Successfully uploaded files" : "已成功上传文件", "View terms of service" : "查看服务条款", "Terms of service" : "服务条款", - "Share with {userName}" : "分享至 {userName}", "Share with email {email}" : "与邮箱 {email} 分享", "Share with group" : "分享至群组", "Share in conversation" : "分享至对话", @@ -305,13 +300,6 @@ OC.L10N.register( "Unable to fetch inherited shares" : "无法获取继承的共享", "Link shares" : "链接共享", "Shares" : "共享", - "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." : "使用此方法与组织内的个人或团队共享文件。如果接收者已经可以访问共享,但找不到它,您可以向他们发送内部共享链接以便于访问。", - "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." : "使用此方法与组织外部的个人或组织共享文件。文件和文件夹可以通过公开共享链接和电子邮件地址共享。您还可以使用其联合云 ID 共享给托管在不同实例上的其他 Nextcloud 账号。", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "不属于内部或外部共享的共享,这可以是来自应用或其他来源的共享。", - "Share with accounts, teams, federated cloud IDs" : "与账号、团队、联合云 ID 共享", - "Share with accounts and teams" : "与账号和团队共享", - "Federated cloud ID" : "联合云 ID", - "Email, federated cloud ID" : "电子邮件、联合云 ID", "Unable to load the shares list" : "无法加载共享列表", "Expires {relativetime}" : "过期 {relativetime}", "this share just expired." : "此共享已过期。", @@ -330,7 +318,6 @@ OC.L10N.register( "Shared" : "已共享", "Shared by {ownerDisplayName}" : "由 {ownerDisplayName} 分享", "Shared multiple times with different people" : "与不同的用户多次分享", - "Show sharing options" : "显示共享选项", "Shared with others" : "你的共享", "Create file request" : "创建文件请求", "Upload files to {foldername}" : "将文件上传到 {foldername}", @@ -417,13 +404,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "添加公开链接到您的Nextcloud失败", "You are not allowed to edit link shares that you don't own" : "不允许编辑不属于您的链接共享", "Download all files" : "下载所有文件", + "Link copied to clipboard" : "链接已复制到剪贴板", "_1 email address already added_::_{count} email addresses already added_" : ["{count}个电子邮箱地址已添加"], "_1 email address added_::_{count} email addresses added_" : ["{count}电子邮箱地址已添加"], + "Copy to clipboard" : "复制到剪贴板", + "Copy internal link to clipboard" : "复制内部链接到剪贴板", + "Only works for people with access to this folder" : "仅适用于可以访问该文件夹的用户", + "Only works for people with access to this file" : "仅适用于可以访问该文件的用户", + "Copy public link of \"{title}\" to clipboard" : "将“{title}”的公开链接复制到剪贴板", + "Search globally" : "全局搜索", "Search for share recipients" : "查找共享参与者", "No recommendations. Start typing." : "无建议。开始输入。", "To upload files, you need to provide your name first." : "要上传文件,您需要先提供名称。", "Enter your name" : "输入名称", "Submit name" : "提交名称", + "Share with {userName}" : "分享至 {userName}", + "Show sharing options" : "显示共享选项", "Share note" : "共享笔记", "Upload files to %s" : "上传文件到 %s", "%s shared a folder with you." : "%s 与您分享了一个文件夹。", @@ -433,7 +429,12 @@ OC.L10N.register( "Uploaded files:" : "上传的文件: ", "By uploading files, you agree to the %1$sterms of service%2$s." : "通过上传文件,您同意了 %1$s 服务条款 %2$s。", "Name" : "名称", + "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." : "使用此方法与组织内的个人或团队共享文件。如果接收者已经可以访问共享,但找不到它,您可以向他们发送内部共享链接以便于访问。", + "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." : "使用此方法与组织外部的个人或组织共享文件。文件和文件夹可以通过公开共享链接和电子邮件地址共享。您还可以使用其联合云 ID 共享给托管在不同实例上的其他 Nextcloud 账号。", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "不属于内部或外部共享的共享,这可以是来自应用或其他来源的共享。", "Share with accounts, teams, federated cloud id" : "与账号、团队、联合云 ID 共享", + "Share with accounts and teams" : "与账号和团队共享", + "Federated cloud ID" : "联合云 ID", "Email, federated cloud id" : "电子邮件、联合云 ID", "Filename must not be empty." : "文件名不能为空。" }, diff --git a/apps/files_sharing/l10n/zh_CN.json b/apps/files_sharing/l10n/zh_CN.json index bda0608cbe5..39c2876cfd4 100644 --- a/apps/files_sharing/l10n/zh_CN.json +++ b/apps/files_sharing/l10n/zh_CN.json @@ -132,7 +132,7 @@ "Generate a new password" : "生成新密码", "Your administrator has enforced a password protection." : "您的管理员已强制实施密码保护。", "Automatically copying failed, please copy the share link manually" : "自动复制失败,请手动复制共享链接", - "Link copied to clipboard" : "链接已复制到剪贴板", + "Link copied" : "已复制链接", "Email already added" : "电子邮箱已添加", "Invalid email address" : "无效电子邮箱地址", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["以下电子邮箱地址无效:{emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["已添加 {count} 个电子邮件地址"], "You can now share the link below to allow people to upload files to your directory." : "现在,你可以分享下面的链接,允许人们将文件上传到你的目录。", "Share link" : "共享链接", - "Copy to clipboard" : "复制到剪贴板", + "Copy" : "复制", "Send link via email" : "通过邮件发送链接", "Enter an email address or paste a list" : "输入电子邮箱地址或粘贴一个列表", "Remove email" : "移除电子邮箱", @@ -199,10 +199,7 @@ "Via “{folder}”" : "通过“{folder}”", "Unshare" : "取消共享", "Cannot copy, please copy the link manually" : "无法复制,请手动复制链接", - "Copy internal link to clipboard" : "复制内部链接到剪贴板", - "Only works for people with access to this folder" : "仅适用于可以访问该文件夹的用户", - "Only works for people with access to this file" : "仅适用于可以访问该文件的用户", - "Link copied" : "已复制链接", + "Copy internal link" : "复制内部链接", "Internal link" : "内部链接", "{shareWith} by {initiator}" : "由 {initiator} 通过 {shareWith} 共享", "Shared via link by {initiator}" : "由 {initiator} 通过链接共享", @@ -213,7 +210,6 @@ "Share link ({index})" : "分享链接({index})", "Create public link" : "生成公开链接地址", "Actions for \"{title}\"" : "“{title}”的动作", - "Copy public link of \"{title}\" to clipboard" : "将“{title}”的公开链接复制到剪贴板", "Error, please enter proper password and/or expiration date" : "错误,请输入正确的密码和/或过期日期", "Link share created" : "已创建链接分享", "Error while creating the share" : "创建共享时出错", @@ -239,7 +235,7 @@ "Name, email, or Federated Cloud ID …" : "名称、电子邮件或联合云 ID…", "Searching …" : "正在搜索…", "No elements found." : "未发现元素。", - "Search globally" : "全局搜索", + "Search everywhere" : "在所有位置搜索", "Guest" : "访客", "Group" : "群组", "Email" : "电子邮件", @@ -258,7 +254,6 @@ "Successfully uploaded files" : "已成功上传文件", "View terms of service" : "查看服务条款", "Terms of service" : "服务条款", - "Share with {userName}" : "分享至 {userName}", "Share with email {email}" : "与邮箱 {email} 分享", "Share with group" : "分享至群组", "Share in conversation" : "分享至对话", @@ -303,13 +298,6 @@ "Unable to fetch inherited shares" : "无法获取继承的共享", "Link shares" : "链接共享", "Shares" : "共享", - "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." : "使用此方法与组织内的个人或团队共享文件。如果接收者已经可以访问共享,但找不到它,您可以向他们发送内部共享链接以便于访问。", - "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." : "使用此方法与组织外部的个人或组织共享文件。文件和文件夹可以通过公开共享链接和电子邮件地址共享。您还可以使用其联合云 ID 共享给托管在不同实例上的其他 Nextcloud 账号。", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "不属于内部或外部共享的共享,这可以是来自应用或其他来源的共享。", - "Share with accounts, teams, federated cloud IDs" : "与账号、团队、联合云 ID 共享", - "Share with accounts and teams" : "与账号和团队共享", - "Federated cloud ID" : "联合云 ID", - "Email, federated cloud ID" : "电子邮件、联合云 ID", "Unable to load the shares list" : "无法加载共享列表", "Expires {relativetime}" : "过期 {relativetime}", "this share just expired." : "此共享已过期。", @@ -328,7 +316,6 @@ "Shared" : "已共享", "Shared by {ownerDisplayName}" : "由 {ownerDisplayName} 分享", "Shared multiple times with different people" : "与不同的用户多次分享", - "Show sharing options" : "显示共享选项", "Shared with others" : "你的共享", "Create file request" : "创建文件请求", "Upload files to {foldername}" : "将文件上传到 {foldername}", @@ -415,13 +402,22 @@ "Failed to add the public link to your Nextcloud" : "添加公开链接到您的Nextcloud失败", "You are not allowed to edit link shares that you don't own" : "不允许编辑不属于您的链接共享", "Download all files" : "下载所有文件", + "Link copied to clipboard" : "链接已复制到剪贴板", "_1 email address already added_::_{count} email addresses already added_" : ["{count}个电子邮箱地址已添加"], "_1 email address added_::_{count} email addresses added_" : ["{count}电子邮箱地址已添加"], + "Copy to clipboard" : "复制到剪贴板", + "Copy internal link to clipboard" : "复制内部链接到剪贴板", + "Only works for people with access to this folder" : "仅适用于可以访问该文件夹的用户", + "Only works for people with access to this file" : "仅适用于可以访问该文件的用户", + "Copy public link of \"{title}\" to clipboard" : "将“{title}”的公开链接复制到剪贴板", + "Search globally" : "全局搜索", "Search for share recipients" : "查找共享参与者", "No recommendations. Start typing." : "无建议。开始输入。", "To upload files, you need to provide your name first." : "要上传文件,您需要先提供名称。", "Enter your name" : "输入名称", "Submit name" : "提交名称", + "Share with {userName}" : "分享至 {userName}", + "Show sharing options" : "显示共享选项", "Share note" : "共享笔记", "Upload files to %s" : "上传文件到 %s", "%s shared a folder with you." : "%s 与您分享了一个文件夹。", @@ -431,7 +427,12 @@ "Uploaded files:" : "上传的文件: ", "By uploading files, you agree to the %1$sterms of service%2$s." : "通过上传文件,您同意了 %1$s 服务条款 %2$s。", "Name" : "名称", + "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." : "使用此方法与组织内的个人或团队共享文件。如果接收者已经可以访问共享,但找不到它,您可以向他们发送内部共享链接以便于访问。", + "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." : "使用此方法与组织外部的个人或组织共享文件。文件和文件夹可以通过公开共享链接和电子邮件地址共享。您还可以使用其联合云 ID 共享给托管在不同实例上的其他 Nextcloud 账号。", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "不属于内部或外部共享的共享,这可以是来自应用或其他来源的共享。", "Share with accounts, teams, federated cloud id" : "与账号、团队、联合云 ID 共享", + "Share with accounts and teams" : "与账号和团队共享", + "Federated cloud ID" : "联合云 ID", "Email, federated cloud id" : "电子邮件、联合云 ID", "Filename must not be empty." : "文件名不能为空。" },"pluralForm" :"nplurals=1; plural=0;" diff --git a/apps/files_sharing/l10n/zh_HK.js b/apps/files_sharing/l10n/zh_HK.js index d15d5a81e3a..78b0875a2bc 100644 --- a/apps/files_sharing/l10n/zh_HK.js +++ b/apps/files_sharing/l10n/zh_HK.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "生成新密碼", "Your administrator has enforced a password protection." : "您的管理員已強制設置密碼保護。", "Automatically copying failed, please copy the share link manually" : "自動複製失敗,請手動複製共享連結。", - "Link copied to clipboard" : "已複製連結至剪貼板", + "Link copied" : "連結已複製", "Email already added" : "已加入電郵地址", "Invalid email address" : "電郵地址無效", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["以下電子郵件地址無效:{emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["添加了{count}個電郵地址"], "You can now share the link below to allow people to upload files to your directory." : "您現在可以分享下面的連結,以允許其他人將檔案上傳到您的目錄中。", "Share link" : "分享連結", - "Copy to clipboard" : "複製到剪貼板", + "Copy" : "複製", "Send link via email" : "透過電郵寄送連結", "Enter an email address or paste a list" : "請輸入電郵地址或粘貼一個清單", "Remove email" : "移除電郵地址", @@ -201,10 +201,8 @@ OC.L10N.register( "Via “{folder}”" : "透過 “{folder}”", "Unshare" : "撤回分享", "Cannot copy, please copy the link manually" : "無法複製,請手動複製連結", - "Copy internal link to clipboard" : "將內部連結複製到剪貼板", - "Only works for people with access to this folder" : "只對可以存取此資料夾的人仕生效", - "Only works for people with access to this file" : "只對可以存取此檔案的人仕生效", - "Link copied" : "連結已複製", + "Copy internal link" : "複製內部連結", + "For people who already have access" : "對於已有存取權限的人", "Internal link" : "內部連結", "{shareWith} by {initiator}" : "{initiator} 分享了 {shareWith}", "Shared via link by {initiator}" : "由 {initiator} 透過連結分享", @@ -215,7 +213,7 @@ OC.L10N.register( "Share link ({index})" : "分享連結({index})", "Create public link" : "建立公共連結", "Actions for \"{title}\"" : "“{title}” 的操作", - "Copy public link of \"{title}\" to clipboard" : "將 “{title}” 的公共連結複製到剪貼板", + "Copy public link of \"{title}\"" : "複製「{title}」的公開連結", "Error, please enter proper password and/or expiration date" : "錯誤,請輸入正確的密碼和/或有效期", "Link share created" : "創建了連結分享", "Error while creating the share" : "創建分享出錯", @@ -241,7 +239,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "名字,電郵地址或 Federated Cloud ID …", "Searching …" : "搜尋中 …", "No elements found." : "找不到元素。", - "Search globally" : "全域搜尋", + "Search everywhere" : "到處搜尋", "Guest" : "訪客", "Group" : "群組", "Email" : "電郵地址", @@ -260,7 +258,7 @@ OC.L10N.register( "Successfully uploaded files" : "檔案上傳成功", "View terms of service" : "檢視服務條款", "Terms of service" : "服務條款", - "Share with {userName}" : "與 {userName} 分享", + "Share with {user}" : "與 {user} 分享", "Share with email {email}" : "與電郵地址 {email} 分享", "Share with group" : "與群組分享", "Share in conversation" : "在對話中分享", @@ -305,13 +303,14 @@ OC.L10N.register( "Unable to fetch inherited shares" : "無法獲取繼承的分享", "Link shares" : "連結分享", "Shares" : "分享", - "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." : "使用此方法與組織內的個人或團隊分享檔案。如果收件者已經可以存取分享但找不到,您可以將內部分享連結傳送給他們,以方便存取。", - "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." : "使用此方法與組織外的個人或組織分享檔案。檔案與資料夾可以透過公開的分享連結與電子郵件地址來分享。您也可以使用其他 Nextcloud 帳號的聯邦雲端 ID,將檔案分享給託管在不同站台上的其他 Nextcloud 帳號。", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "不屬於內部或外部分享的分享。這可能是來自應用程式或其他來源的分享。", - "Share with accounts, teams, federated cloud IDs" : "與帳戶、團隊、聯邦雲端 ID 分享", - "Share with accounts and teams" : "與帳號及團隊分享", - "Federated cloud ID" : "雲端聯邦 ID", - "Email, federated cloud ID" : "電郵地址、聯邦雲端 ID", + "Share files within your organization. Recipients who can already view the file can also use this link for easy access." : "在您的組織內部分享檔案。已經可以檢視檔案的收件者也可以使用此連結以方便存取。", + "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID." : "透過公開連結與電子郵件地址與組織外的其他人分享檔案。您也可以使用其他站台上的聯邦雲端 ID 將檔案分享至 Nextcloud 帳號。", + "Shares from apps or other sources which are not included in internal or external shares." : "來自應用程式或其他來源的分享,不包括在內部或外部分享中。", + "Type names, teams, federated cloud IDs" : "輸入名稱、團隊、聯邦雲端 ID", + "Type names or teams" : "輸入名稱或團隊", + "Type a federated cloud ID" : "輸入聯邦雲端 ID", + "Type an email" : "輸入電郵地址", + "Type an email or federated cloud ID" : "輸入電郵地址或聯邦雲端 ID", "Unable to load the shares list" : "無法載入分享清單", "Expires {relativetime}" : "有效期至 {relativetime}", "this share just expired." : "此分享剛過期。", @@ -330,7 +329,7 @@ OC.L10N.register( "Shared" : "已分享", "Shared by {ownerDisplayName}" : "由 {ownerDisplayName} 分享", "Shared multiple times with different people" : "與不同的人多次分享", - "Show sharing options" : "顯示分享選項", + "Sharing options" : "分享選項", "Shared with others" : "與其他人分享", "Create file request" : "創建檔案請求", "Upload files to {foldername}" : "上傳檔案至 {foldername}", @@ -417,13 +416,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "無法將公開連結加入您的 Nextcloud", "You are not allowed to edit link shares that you don't own" : "您無權編輯不屬於您的鏈接共享", "Download all files" : "下載所有檔案", + "Link copied to clipboard" : "已複製連結至剪貼板", "_1 email address already added_::_{count} email addresses already added_" : ["已添加 {count} 個電郵地址"], "_1 email address added_::_{count} email addresses added_" : ["添加了{count}個電郵地址"], + "Copy to clipboard" : "複製到剪貼板", + "Copy internal link to clipboard" : "將內部連結複製到剪貼板", + "Only works for people with access to this folder" : "只對可以存取此資料夾的人仕生效", + "Only works for people with access to this file" : "只對可以存取此檔案的人仕生效", + "Copy public link of \"{title}\" to clipboard" : "將 “{title}” 的公共連結複製到剪貼板", + "Search globally" : "全域搜尋", "Search for share recipients" : "搜尋分享參與者", "No recommendations. Start typing." : "沒有建議。開始輸入。", "To upload files, you need to provide your name first." : "要上傳檔案,您需要先提供您的姓名。", "Enter your name" : "輸入您的名稱", "Submit name" : "遞交名字", + "Share with {userName}" : "與 {userName} 分享", + "Show sharing options" : "顯示分享選項", "Share note" : "分享筆記", "Upload files to %s" : "上傳檔案到 %s", "%s shared a folder with you." : "%s 與您分享了一個資料夾。", @@ -433,7 +441,12 @@ OC.L10N.register( "Uploaded files:" : "已上傳的檔案:", "By uploading files, you agree to the %1$sterms of service%2$s." : "上傳檔案即表示您同意 %1$s服務條款%2$s。 ", "Name" : "名字", + "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." : "使用此方法與組織內的個人或團隊分享檔案。如果收件者已經可以存取分享但找不到,您可以將內部分享連結傳送給他們,以方便存取。", + "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." : "使用此方法與組織外的個人或組織分享檔案。檔案與資料夾可以透過公開的分享連結與電子郵件地址來分享。您也可以使用其他 Nextcloud 帳號的聯邦雲端 ID,將檔案分享給託管在不同站台上的其他 Nextcloud 帳號。", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "不屬於內部或外部分享的分享。這可能是來自應用程式或其他來源的分享。", "Share with accounts, teams, federated cloud id" : "與帳戶、團隊、聯邦雲端ID 分享", + "Share with accounts and teams" : "與帳號及團隊分享", + "Federated cloud ID" : "雲端聯邦 ID", "Email, federated cloud id" : "電郵地址、聯邦雲端 ID", "Filename must not be empty." : "檔案名稱不能為空。" }, diff --git a/apps/files_sharing/l10n/zh_HK.json b/apps/files_sharing/l10n/zh_HK.json index 9b5d944f362..9e280ba8256 100644 --- a/apps/files_sharing/l10n/zh_HK.json +++ b/apps/files_sharing/l10n/zh_HK.json @@ -132,7 +132,7 @@ "Generate a new password" : "生成新密碼", "Your administrator has enforced a password protection." : "您的管理員已強制設置密碼保護。", "Automatically copying failed, please copy the share link manually" : "自動複製失敗,請手動複製共享連結。", - "Link copied to clipboard" : "已複製連結至剪貼板", + "Link copied" : "連結已複製", "Email already added" : "已加入電郵地址", "Invalid email address" : "電郵地址無效", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["以下電子郵件地址無效:{emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["添加了{count}個電郵地址"], "You can now share the link below to allow people to upload files to your directory." : "您現在可以分享下面的連結,以允許其他人將檔案上傳到您的目錄中。", "Share link" : "分享連結", - "Copy to clipboard" : "複製到剪貼板", + "Copy" : "複製", "Send link via email" : "透過電郵寄送連結", "Enter an email address or paste a list" : "請輸入電郵地址或粘貼一個清單", "Remove email" : "移除電郵地址", @@ -199,10 +199,8 @@ "Via “{folder}”" : "透過 “{folder}”", "Unshare" : "撤回分享", "Cannot copy, please copy the link manually" : "無法複製,請手動複製連結", - "Copy internal link to clipboard" : "將內部連結複製到剪貼板", - "Only works for people with access to this folder" : "只對可以存取此資料夾的人仕生效", - "Only works for people with access to this file" : "只對可以存取此檔案的人仕生效", - "Link copied" : "連結已複製", + "Copy internal link" : "複製內部連結", + "For people who already have access" : "對於已有存取權限的人", "Internal link" : "內部連結", "{shareWith} by {initiator}" : "{initiator} 分享了 {shareWith}", "Shared via link by {initiator}" : "由 {initiator} 透過連結分享", @@ -213,7 +211,7 @@ "Share link ({index})" : "分享連結({index})", "Create public link" : "建立公共連結", "Actions for \"{title}\"" : "“{title}” 的操作", - "Copy public link of \"{title}\" to clipboard" : "將 “{title}” 的公共連結複製到剪貼板", + "Copy public link of \"{title}\"" : "複製「{title}」的公開連結", "Error, please enter proper password and/or expiration date" : "錯誤,請輸入正確的密碼和/或有效期", "Link share created" : "創建了連結分享", "Error while creating the share" : "創建分享出錯", @@ -239,7 +237,7 @@ "Name, email, or Federated Cloud ID …" : "名字,電郵地址或 Federated Cloud ID …", "Searching …" : "搜尋中 …", "No elements found." : "找不到元素。", - "Search globally" : "全域搜尋", + "Search everywhere" : "到處搜尋", "Guest" : "訪客", "Group" : "群組", "Email" : "電郵地址", @@ -258,7 +256,7 @@ "Successfully uploaded files" : "檔案上傳成功", "View terms of service" : "檢視服務條款", "Terms of service" : "服務條款", - "Share with {userName}" : "與 {userName} 分享", + "Share with {user}" : "與 {user} 分享", "Share with email {email}" : "與電郵地址 {email} 分享", "Share with group" : "與群組分享", "Share in conversation" : "在對話中分享", @@ -303,13 +301,14 @@ "Unable to fetch inherited shares" : "無法獲取繼承的分享", "Link shares" : "連結分享", "Shares" : "分享", - "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." : "使用此方法與組織內的個人或團隊分享檔案。如果收件者已經可以存取分享但找不到,您可以將內部分享連結傳送給他們,以方便存取。", - "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." : "使用此方法與組織外的個人或組織分享檔案。檔案與資料夾可以透過公開的分享連結與電子郵件地址來分享。您也可以使用其他 Nextcloud 帳號的聯邦雲端 ID,將檔案分享給託管在不同站台上的其他 Nextcloud 帳號。", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "不屬於內部或外部分享的分享。這可能是來自應用程式或其他來源的分享。", - "Share with accounts, teams, federated cloud IDs" : "與帳戶、團隊、聯邦雲端 ID 分享", - "Share with accounts and teams" : "與帳號及團隊分享", - "Federated cloud ID" : "雲端聯邦 ID", - "Email, federated cloud ID" : "電郵地址、聯邦雲端 ID", + "Share files within your organization. Recipients who can already view the file can also use this link for easy access." : "在您的組織內部分享檔案。已經可以檢視檔案的收件者也可以使用此連結以方便存取。", + "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID." : "透過公開連結與電子郵件地址與組織外的其他人分享檔案。您也可以使用其他站台上的聯邦雲端 ID 將檔案分享至 Nextcloud 帳號。", + "Shares from apps or other sources which are not included in internal or external shares." : "來自應用程式或其他來源的分享,不包括在內部或外部分享中。", + "Type names, teams, federated cloud IDs" : "輸入名稱、團隊、聯邦雲端 ID", + "Type names or teams" : "輸入名稱或團隊", + "Type a federated cloud ID" : "輸入聯邦雲端 ID", + "Type an email" : "輸入電郵地址", + "Type an email or federated cloud ID" : "輸入電郵地址或聯邦雲端 ID", "Unable to load the shares list" : "無法載入分享清單", "Expires {relativetime}" : "有效期至 {relativetime}", "this share just expired." : "此分享剛過期。", @@ -328,7 +327,7 @@ "Shared" : "已分享", "Shared by {ownerDisplayName}" : "由 {ownerDisplayName} 分享", "Shared multiple times with different people" : "與不同的人多次分享", - "Show sharing options" : "顯示分享選項", + "Sharing options" : "分享選項", "Shared with others" : "與其他人分享", "Create file request" : "創建檔案請求", "Upload files to {foldername}" : "上傳檔案至 {foldername}", @@ -415,13 +414,22 @@ "Failed to add the public link to your Nextcloud" : "無法將公開連結加入您的 Nextcloud", "You are not allowed to edit link shares that you don't own" : "您無權編輯不屬於您的鏈接共享", "Download all files" : "下載所有檔案", + "Link copied to clipboard" : "已複製連結至剪貼板", "_1 email address already added_::_{count} email addresses already added_" : ["已添加 {count} 個電郵地址"], "_1 email address added_::_{count} email addresses added_" : ["添加了{count}個電郵地址"], + "Copy to clipboard" : "複製到剪貼板", + "Copy internal link to clipboard" : "將內部連結複製到剪貼板", + "Only works for people with access to this folder" : "只對可以存取此資料夾的人仕生效", + "Only works for people with access to this file" : "只對可以存取此檔案的人仕生效", + "Copy public link of \"{title}\" to clipboard" : "將 “{title}” 的公共連結複製到剪貼板", + "Search globally" : "全域搜尋", "Search for share recipients" : "搜尋分享參與者", "No recommendations. Start typing." : "沒有建議。開始輸入。", "To upload files, you need to provide your name first." : "要上傳檔案,您需要先提供您的姓名。", "Enter your name" : "輸入您的名稱", "Submit name" : "遞交名字", + "Share with {userName}" : "與 {userName} 分享", + "Show sharing options" : "顯示分享選項", "Share note" : "分享筆記", "Upload files to %s" : "上傳檔案到 %s", "%s shared a folder with you." : "%s 與您分享了一個資料夾。", @@ -431,7 +439,12 @@ "Uploaded files:" : "已上傳的檔案:", "By uploading files, you agree to the %1$sterms of service%2$s." : "上傳檔案即表示您同意 %1$s服務條款%2$s。 ", "Name" : "名字", + "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." : "使用此方法與組織內的個人或團隊分享檔案。如果收件者已經可以存取分享但找不到,您可以將內部分享連結傳送給他們,以方便存取。", + "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." : "使用此方法與組織外的個人或組織分享檔案。檔案與資料夾可以透過公開的分享連結與電子郵件地址來分享。您也可以使用其他 Nextcloud 帳號的聯邦雲端 ID,將檔案分享給託管在不同站台上的其他 Nextcloud 帳號。", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "不屬於內部或外部分享的分享。這可能是來自應用程式或其他來源的分享。", "Share with accounts, teams, federated cloud id" : "與帳戶、團隊、聯邦雲端ID 分享", + "Share with accounts and teams" : "與帳號及團隊分享", + "Federated cloud ID" : "雲端聯邦 ID", "Email, federated cloud id" : "電郵地址、聯邦雲端 ID", "Filename must not be empty." : "檔案名稱不能為空。" },"pluralForm" :"nplurals=1; plural=0;" diff --git a/apps/files_sharing/l10n/zh_TW.js b/apps/files_sharing/l10n/zh_TW.js index 4352773dda8..a4490796ddf 100644 --- a/apps/files_sharing/l10n/zh_TW.js +++ b/apps/files_sharing/l10n/zh_TW.js @@ -134,7 +134,7 @@ OC.L10N.register( "Generate a new password" : "產生新密碼", "Your administrator has enforced a password protection." : "您的管理員已強制設定密碼保護。", "Automatically copying failed, please copy the share link manually" : "自動複製失敗,請手動複製分享連結", - "Link copied to clipboard" : "已複製連結至剪貼簿", + "Link copied" : "連結已複製", "Email already added" : "已新增電子郵件", "Invalid email address" : "無效的電子郵件地址", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["以下電子郵件地址無效:{emails}"], @@ -142,7 +142,7 @@ OC.L10N.register( "_{count} email address added_::_{count} email addresses added_" : ["新增了 {count} 個電子郵件地址"], "You can now share the link below to allow people to upload files to your directory." : "您現在可以分享下面的連結,讓其他人將檔案上傳到您的目錄中。", "Share link" : "分享連結", - "Copy to clipboard" : "複製到剪貼簿", + "Copy" : "複製", "Send link via email" : "透過 email 寄送連結", "Enter an email address or paste a list" : "請輸入電子郵件地址或貼上清單", "Remove email" : "移除電子郵件", @@ -201,10 +201,8 @@ OC.L10N.register( "Via “{folder}”" : "透過「{folder}」", "Unshare" : "取消分享", "Cannot copy, please copy the link manually" : "無法複製,請手動複製連結", - "Copy internal link to clipboard" : "複製內部連結至剪貼簿", - "Only works for people with access to this folder" : "只對可以存取此資料夾的使用者生效", - "Only works for people with access to this file" : "只對可以存取此檔案的使用者生效", - "Link copied" : "連結已複製", + "Copy internal link" : "複製內部連結", + "For people who already have access" : "對於已有存取權限的人", "Internal link" : "內部連結", "{shareWith} by {initiator}" : "{initiator} {shareWith}", "Shared via link by {initiator}" : "{initiator} 透過連結分享", @@ -215,7 +213,7 @@ OC.L10N.register( "Share link ({index})" : "分享連結 ({index})", "Create public link" : "建立公開連結", "Actions for \"{title}\"" : "「{title}」的動作", - "Copy public link of \"{title}\" to clipboard" : "將「{title}」的公開連結複製到剪貼簿", + "Copy public link of \"{title}\"" : "複製「{title}」的公開連結", "Error, please enter proper password and/or expiration date" : "錯誤,請輸入適當的密碼及/或到期日", "Link share created" : "建立了連結分享", "Error while creating the share" : "建立分享時發生錯誤", @@ -241,7 +239,7 @@ OC.L10N.register( "Name, email, or Federated Cloud ID …" : "名稱、電子郵件或雲端聯邦 ID…", "Searching …" : "正在搜尋…", "No elements found." : "找不到元素。", - "Search globally" : "全域搜尋", + "Search everywhere" : "到處搜尋", "Guest" : "訪客", "Group" : "群組", "Email" : "電子郵件", @@ -260,7 +258,7 @@ OC.L10N.register( "Successfully uploaded files" : "已成功上傳檔案", "View terms of service" : "檢視服務條款", "Terms of service" : "服務條款", - "Share with {userName}" : "與 {userName} 分享", + "Share with {user}" : "與 {user} 分享", "Share with email {email}" : "與電子郵件 {email} 分享", "Share with group" : "與群組分享", "Share in conversation" : "在對話中分享", @@ -305,13 +303,14 @@ OC.L10N.register( "Unable to fetch inherited shares" : "無法擷取繼承的分享", "Link shares" : "連結分享", "Shares" : "分享", - "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." : "使用此方法與組織內的個人或團隊分享檔案。如果收件者已經可以存取分享但找不到,您可以將內部分享連結傳送給他們,以方便存取。", - "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." : "使用此方法與組織外的個人或組織分享檔案。檔案與資料夾可以透過公開的分享連結與電子郵件地址來分享。您也可以使用其他 Nextcloud 帳號的聯邦雲端 ID,將檔案分享給託管在不同站台上的其他 Nextcloud 帳號。", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "不屬於內部或外部分享的分享。這可能是來自應用程式或其他來源的分享。", - "Share with accounts, teams, federated cloud IDs" : "與帳號、團隊、聯邦雲端 ID 分享", - "Share with accounts and teams" : "與帳號及團隊分享", - "Federated cloud ID" : "聯邦雲端 ID", - "Email, federated cloud ID" : "電子郵件、聯邦雲端 ID", + "Share files within your organization. Recipients who can already view the file can also use this link for easy access." : "在您的組織內部分享檔案。已經可以檢視檔案的收件者也可以使用此連結以方便存取。", + "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID." : "透過公開連結與電子郵件地址與組織外的其他人分享檔案。您也可以使用其他站台上的聯邦雲端 ID 將檔案分享至 Nextcloud 帳號。", + "Shares from apps or other sources which are not included in internal or external shares." : "來自應用程式或其他來源的分享,不包括在內部或外部分享中。", + "Type names, teams, federated cloud IDs" : "輸入名稱、團隊、聯邦雲端 ID", + "Type names or teams" : "輸入名稱或團隊", + "Type a federated cloud ID" : "輸入聯邦雲端 ID", + "Type an email" : "輸入電子郵件", + "Type an email or federated cloud ID" : "輸入電子郵件或聯邦雲端 ID", "Unable to load the shares list" : "無法載入分享列表", "Expires {relativetime}" : "過期於 {relativetime}", "this share just expired." : "此分享剛過期。", @@ -330,7 +329,7 @@ OC.L10N.register( "Shared" : "已分享", "Shared by {ownerDisplayName}" : "{ownerDisplayName} 分享", "Shared multiple times with different people" : "與不同的人多次分享", - "Show sharing options" : "顯示分享選項", + "Sharing options" : "分享選項", "Shared with others" : "與其他人分享", "Create file request" : "建立檔案請求", "Upload files to {foldername}" : "上傳檔案至 {foldername}", @@ -417,13 +416,22 @@ OC.L10N.register( "Failed to add the public link to your Nextcloud" : "無法將公開連結新增到您的 Nextcloud", "You are not allowed to edit link shares that you don't own" : "您無權編輯不屬於您的連結分享", "Download all files" : "下載所有檔案", + "Link copied to clipboard" : "已複製連結至剪貼簿", "_1 email address already added_::_{count} email addresses already added_" : ["已新增 {count} 個電子郵件地址"], "_1 email address added_::_{count} email addresses added_" : ["已新增 {count} 個電子郵件地址"], + "Copy to clipboard" : "複製到剪貼簿", + "Copy internal link to clipboard" : "複製內部連結至剪貼簿", + "Only works for people with access to this folder" : "只對可以存取此資料夾的使用者生效", + "Only works for people with access to this file" : "只對可以存取此檔案的使用者生效", + "Copy public link of \"{title}\" to clipboard" : "將「{title}」的公開連結複製到剪貼簿", + "Search globally" : "全域搜尋", "Search for share recipients" : "搜尋分享接收者", "No recommendations. Start typing." : "沒有建議。請開始輸入。", "To upload files, you need to provide your name first." : "要上傳檔案,您必須先提供您的名字。", "Enter your name" : "輸入您的名稱", "Submit name" : "遞交名稱", + "Share with {userName}" : "與 {userName} 分享", + "Show sharing options" : "顯示分享選項", "Share note" : "分享備註", "Upload files to %s" : "上傳檔案到 %s", "%s shared a folder with you." : "%s 與您分享了一個資料夾。", @@ -433,7 +441,12 @@ OC.L10N.register( "Uploaded files:" : "已上傳的檔案:", "By uploading files, you agree to the %1$sterms of service%2$s." : "上傳檔案即表示您同意 %1$s服務條款%2$s。", "Name" : "名稱", + "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." : "使用此方法與組織內的個人或團隊分享檔案。如果收件者已經可以存取分享但找不到,您可以將內部分享連結傳送給他們,以方便存取。", + "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." : "使用此方法與組織外的個人或組織分享檔案。檔案與資料夾可以透過公開的分享連結與電子郵件地址來分享。您也可以使用其他 Nextcloud 帳號的聯邦雲端 ID,將檔案分享給託管在不同站台上的其他 Nextcloud 帳號。", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "不屬於內部或外部分享的分享。這可能是來自應用程式或其他來源的分享。", "Share with accounts, teams, federated cloud id" : "與帳號、團隊、聯邦雲端ID 分享", + "Share with accounts and teams" : "與帳號及團隊分享", + "Federated cloud ID" : "聯邦雲端 ID", "Email, federated cloud id" : "電子郵件、聯邦雲端 ID", "Filename must not be empty." : "檔案名稱不能為空。" }, diff --git a/apps/files_sharing/l10n/zh_TW.json b/apps/files_sharing/l10n/zh_TW.json index d23b831db0d..883ff45d597 100644 --- a/apps/files_sharing/l10n/zh_TW.json +++ b/apps/files_sharing/l10n/zh_TW.json @@ -132,7 +132,7 @@ "Generate a new password" : "產生新密碼", "Your administrator has enforced a password protection." : "您的管理員已強制設定密碼保護。", "Automatically copying failed, please copy the share link manually" : "自動複製失敗,請手動複製分享連結", - "Link copied to clipboard" : "已複製連結至剪貼簿", + "Link copied" : "連結已複製", "Email already added" : "已新增電子郵件", "Invalid email address" : "無效的電子郵件地址", "_The following email address is not valid: {emails}_::_The following email addresses are not valid: {emails}_" : ["以下電子郵件地址無效:{emails}"], @@ -140,7 +140,7 @@ "_{count} email address added_::_{count} email addresses added_" : ["新增了 {count} 個電子郵件地址"], "You can now share the link below to allow people to upload files to your directory." : "您現在可以分享下面的連結,讓其他人將檔案上傳到您的目錄中。", "Share link" : "分享連結", - "Copy to clipboard" : "複製到剪貼簿", + "Copy" : "複製", "Send link via email" : "透過 email 寄送連結", "Enter an email address or paste a list" : "請輸入電子郵件地址或貼上清單", "Remove email" : "移除電子郵件", @@ -199,10 +199,8 @@ "Via “{folder}”" : "透過「{folder}」", "Unshare" : "取消分享", "Cannot copy, please copy the link manually" : "無法複製,請手動複製連結", - "Copy internal link to clipboard" : "複製內部連結至剪貼簿", - "Only works for people with access to this folder" : "只對可以存取此資料夾的使用者生效", - "Only works for people with access to this file" : "只對可以存取此檔案的使用者生效", - "Link copied" : "連結已複製", + "Copy internal link" : "複製內部連結", + "For people who already have access" : "對於已有存取權限的人", "Internal link" : "內部連結", "{shareWith} by {initiator}" : "{initiator} {shareWith}", "Shared via link by {initiator}" : "{initiator} 透過連結分享", @@ -213,7 +211,7 @@ "Share link ({index})" : "分享連結 ({index})", "Create public link" : "建立公開連結", "Actions for \"{title}\"" : "「{title}」的動作", - "Copy public link of \"{title}\" to clipboard" : "將「{title}」的公開連結複製到剪貼簿", + "Copy public link of \"{title}\"" : "複製「{title}」的公開連結", "Error, please enter proper password and/or expiration date" : "錯誤,請輸入適當的密碼及/或到期日", "Link share created" : "建立了連結分享", "Error while creating the share" : "建立分享時發生錯誤", @@ -239,7 +237,7 @@ "Name, email, or Federated Cloud ID …" : "名稱、電子郵件或雲端聯邦 ID…", "Searching …" : "正在搜尋…", "No elements found." : "找不到元素。", - "Search globally" : "全域搜尋", + "Search everywhere" : "到處搜尋", "Guest" : "訪客", "Group" : "群組", "Email" : "電子郵件", @@ -258,7 +256,7 @@ "Successfully uploaded files" : "已成功上傳檔案", "View terms of service" : "檢視服務條款", "Terms of service" : "服務條款", - "Share with {userName}" : "與 {userName} 分享", + "Share with {user}" : "與 {user} 分享", "Share with email {email}" : "與電子郵件 {email} 分享", "Share with group" : "與群組分享", "Share in conversation" : "在對話中分享", @@ -303,13 +301,14 @@ "Unable to fetch inherited shares" : "無法擷取繼承的分享", "Link shares" : "連結分享", "Shares" : "分享", - "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." : "使用此方法與組織內的個人或團隊分享檔案。如果收件者已經可以存取分享但找不到,您可以將內部分享連結傳送給他們,以方便存取。", - "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." : "使用此方法與組織外的個人或組織分享檔案。檔案與資料夾可以透過公開的分享連結與電子郵件地址來分享。您也可以使用其他 Nextcloud 帳號的聯邦雲端 ID,將檔案分享給託管在不同站台上的其他 Nextcloud 帳號。", - "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "不屬於內部或外部分享的分享。這可能是來自應用程式或其他來源的分享。", - "Share with accounts, teams, federated cloud IDs" : "與帳號、團隊、聯邦雲端 ID 分享", - "Share with accounts and teams" : "與帳號及團隊分享", - "Federated cloud ID" : "聯邦雲端 ID", - "Email, federated cloud ID" : "電子郵件、聯邦雲端 ID", + "Share files within your organization. Recipients who can already view the file can also use this link for easy access." : "在您的組織內部分享檔案。已經可以檢視檔案的收件者也可以使用此連結以方便存取。", + "Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID." : "透過公開連結與電子郵件地址與組織外的其他人分享檔案。您也可以使用其他站台上的聯邦雲端 ID 將檔案分享至 Nextcloud 帳號。", + "Shares from apps or other sources which are not included in internal or external shares." : "來自應用程式或其他來源的分享,不包括在內部或外部分享中。", + "Type names, teams, federated cloud IDs" : "輸入名稱、團隊、聯邦雲端 ID", + "Type names or teams" : "輸入名稱或團隊", + "Type a federated cloud ID" : "輸入聯邦雲端 ID", + "Type an email" : "輸入電子郵件", + "Type an email or federated cloud ID" : "輸入電子郵件或聯邦雲端 ID", "Unable to load the shares list" : "無法載入分享列表", "Expires {relativetime}" : "過期於 {relativetime}", "this share just expired." : "此分享剛過期。", @@ -328,7 +327,7 @@ "Shared" : "已分享", "Shared by {ownerDisplayName}" : "{ownerDisplayName} 分享", "Shared multiple times with different people" : "與不同的人多次分享", - "Show sharing options" : "顯示分享選項", + "Sharing options" : "分享選項", "Shared with others" : "與其他人分享", "Create file request" : "建立檔案請求", "Upload files to {foldername}" : "上傳檔案至 {foldername}", @@ -415,13 +414,22 @@ "Failed to add the public link to your Nextcloud" : "無法將公開連結新增到您的 Nextcloud", "You are not allowed to edit link shares that you don't own" : "您無權編輯不屬於您的連結分享", "Download all files" : "下載所有檔案", + "Link copied to clipboard" : "已複製連結至剪貼簿", "_1 email address already added_::_{count} email addresses already added_" : ["已新增 {count} 個電子郵件地址"], "_1 email address added_::_{count} email addresses added_" : ["已新增 {count} 個電子郵件地址"], + "Copy to clipboard" : "複製到剪貼簿", + "Copy internal link to clipboard" : "複製內部連結至剪貼簿", + "Only works for people with access to this folder" : "只對可以存取此資料夾的使用者生效", + "Only works for people with access to this file" : "只對可以存取此檔案的使用者生效", + "Copy public link of \"{title}\" to clipboard" : "將「{title}」的公開連結複製到剪貼簿", + "Search globally" : "全域搜尋", "Search for share recipients" : "搜尋分享接收者", "No recommendations. Start typing." : "沒有建議。請開始輸入。", "To upload files, you need to provide your name first." : "要上傳檔案,您必須先提供您的名字。", "Enter your name" : "輸入您的名稱", "Submit name" : "遞交名稱", + "Share with {userName}" : "與 {userName} 分享", + "Show sharing options" : "顯示分享選項", "Share note" : "分享備註", "Upload files to %s" : "上傳檔案到 %s", "%s shared a folder with you." : "%s 與您分享了一個資料夾。", @@ -431,7 +439,12 @@ "Uploaded files:" : "已上傳的檔案:", "By uploading files, you agree to the %1$sterms of service%2$s." : "上傳檔案即表示您同意 %1$s服務條款%2$s。", "Name" : "名稱", + "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." : "使用此方法與組織內的個人或團隊分享檔案。如果收件者已經可以存取分享但找不到,您可以將內部分享連結傳送給他們,以方便存取。", + "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." : "使用此方法與組織外的個人或組織分享檔案。檔案與資料夾可以透過公開的分享連結與電子郵件地址來分享。您也可以使用其他 Nextcloud 帳號的聯邦雲端 ID,將檔案分享給託管在不同站台上的其他 Nextcloud 帳號。", + "Shares that are not part of the internal or external shares. This can be shares from apps or other sources." : "不屬於內部或外部分享的分享。這可能是來自應用程式或其他來源的分享。", "Share with accounts, teams, federated cloud id" : "與帳號、團隊、聯邦雲端ID 分享", + "Share with accounts and teams" : "與帳號及團隊分享", + "Federated cloud ID" : "聯邦雲端 ID", "Email, federated cloud id" : "電子郵件、聯邦雲端 ID", "Filename must not be empty." : "檔案名稱不能為空。" },"pluralForm" :"nplurals=1; plural=0;" diff --git a/apps/files_sharing/lib/Capabilities.php b/apps/files_sharing/lib/Capabilities.php index b4fe5a1bb73..cbb9b5cd2f2 100644 --- a/apps/files_sharing/lib/Capabilities.php +++ b/apps/files_sharing/lib/Capabilities.php @@ -7,6 +7,7 @@ */ namespace OCA\Files_Sharing; +use OCP\App\IAppManager; use OCP\Capabilities\ICapability; use OCP\Constants; use OCP\IConfig; @@ -18,10 +19,10 @@ use OCP\Share\IManager; * @package OCA\Files_Sharing */ class Capabilities implements ICapability { - public function __construct( private IConfig $config, private IManager $shareManager, + private IAppManager $appManager, ) { } @@ -158,14 +159,23 @@ class Capabilities implements ICapability { } //Federated sharing - $res['federation'] = [ - 'outgoing' => $this->shareManager->outgoingServer2ServerSharesAllowed(), - 'incoming' => $this->config->getAppValue('files_sharing', 'incoming_server2server_share_enabled', 'yes') === 'yes', - // old bogus one, expire_date was not working before, keeping for compatibility - 'expire_date' => ['enabled' => true], - // the real deal, signifies that expiration date can be set on federated shares - 'expire_date_supported' => ['enabled' => true], - ]; + if ($this->appManager->isEnabledForAnyone('federation')) { + $res['federation'] = [ + 'outgoing' => $this->shareManager->outgoingServer2ServerSharesAllowed(), + 'incoming' => $this->config->getAppValue('files_sharing', 'incoming_server2server_share_enabled', 'yes') === 'yes', + // old bogus one, expire_date was not working before, keeping for compatibility + 'expire_date' => ['enabled' => true], + // the real deal, signifies that expiration date can be set on federated shares + 'expire_date_supported' => ['enabled' => true], + ]; + } else { + $res['federation'] = [ + 'outgoing' => false, + 'incoming' => false, + 'expire_date' => ['enabled' => false], + 'expire_date_supported' => ['enabled' => false], + ]; + } // Sharee searches $res['sharee'] = [ diff --git a/apps/files_sharing/src/components/NewFileRequestDialog/NewFileRequestDialogFinish.vue b/apps/files_sharing/src/components/NewFileRequestDialog/NewFileRequestDialogFinish.vue index 499fd773edc..7826aab581e 100644 --- a/apps/files_sharing/src/components/NewFileRequestDialog/NewFileRequestDialogFinish.vue +++ b/apps/files_sharing/src/components/NewFileRequestDialog/NewFileRequestDialogFinish.vue @@ -16,7 +16,7 @@ :label="t('files_sharing', 'Share link')" :readonly="true" :show-trailing-button="true" - :trailing-button-label="t('files_sharing', 'Copy to clipboard')" + :trailing-button-label="t('files_sharing', 'Copy')" data-cy-file-request-dialog-fieldset="link" @click="copyShareLink" @trailing-button-click="copyShareLink"> @@ -140,7 +140,7 @@ export default defineComponent({ await navigator.clipboard.writeText(this.shareLink) - showSuccess(t('files_sharing', 'Link copied to clipboard')) + showSuccess(t('files_sharing', 'Link copied')) this.isCopied = true event.target?.select?.() diff --git a/apps/files_sharing/src/components/SharingEntry.vue b/apps/files_sharing/src/components/SharingEntry.vue index 1fbe740cb11..342b40ce384 100644 --- a/apps/files_sharing/src/components/SharingEntry.vue +++ b/apps/files_sharing/src/components/SharingEntry.vue @@ -19,8 +19,9 @@ :href="share.shareWithLink" class="sharing-entry__summary__desc"> <span>{{ title }} - <span v-if="!isUnique" class="sharing-entry__summary__desc-unique"> ({{ - share.shareWithDisplayNameUnique }})</span> + <span v-if="!isUnique" class="sharing-entry__summary__desc-unique"> + ({{ share.shareWithDisplayNameUnique }}) + </span> <small v-if="hasStatus && share.status.message">({{ share.status.message }})</small> </span> </component> @@ -73,13 +74,17 @@ export default { computed: { title() { let title = this.share.shareWithDisplayName - if (this.share.type === ShareType.Group) { + + const showAsInternal = this.config.showFederatedSharesAsInternal + || (this.share.isTrustedServer && this.config.showFederatedSharesToTrustedServersAsInternal) + + if (this.share.type === ShareType.Group || (this.share.type === ShareType.RemoteGroup && showAsInternal)) { title += ` (${t('files_sharing', 'group')})` } else if (this.share.type === ShareType.Room) { title += ` (${t('files_sharing', 'conversation')})` - } else if (this.share.type === ShareType.Remote && !this.share.isTrustedServer) { + } else if (this.share.type === ShareType.Remote && !showAsInternal) { title += ` (${t('files_sharing', 'remote')})` - } else if (this.share.type === ShareType.RemoteGroup && !this.share.isTrustedServer) { + } else if (this.share.type === ShareType.RemoteGroup) { title += ` (${t('files_sharing', 'remote group')})` } else if (this.share.type === ShareType.Guest) { title += ` (${t('files_sharing', 'guest')})` diff --git a/apps/files_sharing/src/components/SharingEntryInternal.vue b/apps/files_sharing/src/components/SharingEntryInternal.vue index 2ad1256fa82..027d2a3d5c3 100644 --- a/apps/files_sharing/src/components/SharingEntryInternal.vue +++ b/apps/files_sharing/src/components/SharingEntryInternal.vue @@ -83,14 +83,11 @@ export default { } return t('files_sharing', 'Cannot copy, please copy the link manually') } - return t('files_sharing', 'Copy internal link to clipboard') + return t('files_sharing', 'Copy internal link') }, internalLinkSubtitle() { - if (this.fileInfo.type === 'dir') { - return t('files_sharing', 'Only works for people with access to this folder') - } - return t('files_sharing', 'Only works for people with access to this file') + return t('files_sharing', 'For people who already have access') }, }, diff --git a/apps/files_sharing/src/components/SharingEntryLink.vue b/apps/files_sharing/src/components/SharingEntryLink.vue index 6a456fa0a15..6865af1b864 100644 --- a/apps/files_sharing/src/components/SharingEntryLink.vue +++ b/apps/files_sharing/src/components/SharingEntryLink.vue @@ -550,7 +550,7 @@ export default { } return t('files_sharing', 'Cannot copy, please copy the link manually') } - return t('files_sharing', 'Copy public link of "{title}" to clipboard', { title: this.title }) + return t('files_sharing', 'Copy public link of "{title}"', { title: this.title }) }, /** diff --git a/apps/files_sharing/src/components/SharingInput.vue b/apps/files_sharing/src/components/SharingInput.vue index 46bacef0c6c..6fb33aba6b2 100644 --- a/apps/files_sharing/src/components/SharingInput.vue +++ b/apps/files_sharing/src/components/SharingInput.vue @@ -264,7 +264,7 @@ export default { lookupEntry.push({ id: 'global-lookup', isNoUser: true, - displayName: t('files_sharing', 'Search globally'), + displayName: t('files_sharing', 'Search everywhere'), lookup: true, }) } diff --git a/apps/files_sharing/src/files_actions/sharingStatusAction.ts b/apps/files_sharing/src/files_actions/sharingStatusAction.ts index 2dfd8467c5b..18fa46d2781 100644 --- a/apps/files_sharing/src/files_actions/sharingStatusAction.ts +++ b/apps/files_sharing/src/files_actions/sharingStatusAction.ts @@ -53,7 +53,7 @@ export const action = new FileAction({ const sharees = node.attributes.sharees?.sharee as { id: string, 'display-name': string, type: ShareType }[] | undefined if (!sharees) { // No sharees so just show the default message to create a new share - return t('files_sharing', 'Show sharing options') + return t('files_sharing', 'Sharing options') } const sharee = [sharees].flat()[0] // the property is sometimes weirdly normalized, so we need to compensate diff --git a/apps/files_sharing/src/services/ConfigService.ts b/apps/files_sharing/src/services/ConfigService.ts index f75f34c7936..547038f362d 100644 --- a/apps/files_sharing/src/services/ConfigService.ts +++ b/apps/files_sharing/src/services/ConfigService.ts @@ -213,6 +213,13 @@ export default class Config { } /** + * Is federation enabled ? + */ + get isFederationEnabled(): boolean { + return this._capabilities?.files_sharing?.federation?.outgoing === true + } + + /** * Is public sharing enabled ? */ get isPublicShareAllowed(): boolean { diff --git a/apps/files_sharing/src/services/TabSections.js b/apps/files_sharing/src/services/TabSections.js index 8578f8f08d5..ab1237e7044 100644 --- a/apps/files_sharing/src/services/TabSections.js +++ b/apps/files_sharing/src/services/TabSections.js @@ -3,6 +3,14 @@ * SPDX-License-Identifier: AGPL-3.0-or-later */ +/** + * Callback to render a section in the sharing tab. + * + * @callback registerSectionCallback + * @param {undefined} el - Deprecated and will always be undefined (formerly the root element) + * @param {object} fileInfo - File info object + */ + export default class TabSections { _sections diff --git a/apps/files_sharing/src/views/SharingTab.vue b/apps/files_sharing/src/views/SharingTab.vue index dc200c61df4..2ed44a4b5ad 100644 --- a/apps/files_sharing/src/views/SharingTab.vue +++ b/apps/files_sharing/src/views/SharingTab.vue @@ -127,11 +127,10 @@ </NcPopover> </div> <!-- additional entries, use it with cautious --> - <div v-for="(section, index) in sections" - :ref="'section-' + index" + <div v-for="(component, index) in sectionComponents" :key="index" class="sharingTab__additionalContent"> - <component :is="section($refs['section-'+index], fileInfo)" :file-info="fileInfo" /> + <component :is="component" :file-info="fileInfo" /> </div> <!-- projects (deprecated as of NC25 (replaced by related_resources) - see instance config "projects.enabled" ; ignore this / remove it / move into own section) --> @@ -230,9 +229,9 @@ export default { shareDetailsData: {}, returnFocusElement: null, - internalSharesHelpText: t('files_sharing', '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.'), - externalSharesHelpText: t('files_sharing', '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.'), - additionalSharesHelpText: t('files_sharing', 'Shares that are not part of the internal or external shares. This can be shares from apps or other sources.'), + internalSharesHelpText: t('files_sharing', 'Share files within your organization. Recipients who can already view the file can also use this link for easy access.'), + externalSharesHelpText: t('files_sharing', 'Share files with others outside your organization via public links and email addresses. You can also share to Nextcloud accounts on other instances using their federated cloud ID.'), + additionalSharesHelpText: t('files_sharing', 'Shares from apps or other sources which are not included in internal or external shares.'), } }, @@ -268,21 +267,29 @@ export default { }, internalShareInputPlaceholder() { - return this.config.showFederatedSharesAsInternal - ? t('files_sharing', 'Share with accounts, teams, federated cloud IDs') - : t('files_sharing', 'Share with accounts and teams') + return this.config.showFederatedSharesAsInternal && this.config.isFederationEnabled + // TRANSLATORS: Type as in with a keyboard + ? t('files_sharing', 'Type names, teams, federated cloud IDs') + // TRANSLATORS: Type as in with a keyboard + : t('files_sharing', 'Type names or teams') }, externalShareInputPlaceholder() { if (!this.isLinkSharingAllowed) { - return t('files_sharing', 'Federated cloud ID') + // TRANSLATORS: Type as in with a keyboard + return this.config.isFederationEnabled ? t('files_sharing', 'Type a federated cloud ID') : '' } - return this.config.showFederatedSharesAsInternal - ? t('files_sharing', 'Email') - : t('files_sharing', 'Email, federated cloud ID') + return !this.config.showFederatedSharesAsInternal && !this.config.isFederationEnabled + // TRANSLATORS: Type as in with a keyboard + ? t('files_sharing', 'Type an email') + // TRANSLATORS: Type as in with a keyboard + : t('files_sharing', 'Type an email or federated cloud ID') }, - }, + sectionComponents() { + return this.sections.map((section) => section(undefined, this.fileInfo)) + }, + }, methods: { /** * Update current fileInfo and fetch new data @@ -294,7 +301,6 @@ export default { this.resetState() this.getShares() }, - /** * Get the existing shares infos */ diff --git a/apps/files_sharing/tests/CapabilitiesTest.php b/apps/files_sharing/tests/CapabilitiesTest.php index 2600bd9d925..2fe221703a5 100644 --- a/apps/files_sharing/tests/CapabilitiesTest.php +++ b/apps/files_sharing/tests/CapabilitiesTest.php @@ -11,6 +11,7 @@ use OC\KnownUser\KnownUserService; use OC\Share20\Manager; use OC\Share20\ShareDisableChecker; use OCA\Files_Sharing\Capabilities; +use OCP\App\IAppManager; use OCP\EventDispatcher\IEventDispatcher; use OCP\Files\IRootFolder; use OCP\Files\Mount\IMountManager; @@ -55,9 +56,11 @@ class CapabilitiesTest extends \Test\TestCase { * @param (string[])[] $map Map of arguments to return types for the getAppValue function in the mock * @return string[] */ - private function getResults(array $map) { + private function getResults(array $map, bool $federationEnabled = true) { $config = $this->getMockBuilder(IConfig::class)->disableOriginalConstructor()->getMock(); + $appManager = $this->getMockBuilder(IAppManager::class)->disableOriginalConstructor()->getMock(); $config->method('getAppValue')->willReturnMap($map); + $appManager->method('isEnabledForAnyone')->with('federation')->willReturn($federationEnabled); $shareManager = new Manager( $this->createMock(LoggerInterface::class), $config, @@ -79,7 +82,7 @@ class CapabilitiesTest extends \Test\TestCase { $this->createMock(IDateTimeZone::class), $this->createMock(IAppConfig::class), ); - $cap = new Capabilities($config, $shareManager); + $cap = new Capabilities($config, $shareManager, $appManager); $result = $this->getFilesSharingPart($cap->getCapabilities()); return $result; } @@ -323,4 +326,13 @@ class CapabilitiesTest extends \Test\TestCase { $this->assertEquals(['enabled' => true], $result['federation']['expire_date']); $this->assertEquals(['enabled' => true], $result['federation']['expire_date_supported']); } + + public function testFederatedSharingDisabled(): void { + $result = $this->getResults([], false); + $this->assertArrayHasKey('federation', $result); + $this->assertFalse($result['federation']['incoming']); + $this->assertFalse($result['federation']['outgoing']); + $this->assertEquals(['enabled' => false], $result['federation']['expire_date']); + $this->assertEquals(['enabled' => false], $result['federation']['expire_date_supported']); + } } diff --git a/apps/oauth2/l10n/es.js b/apps/oauth2/l10n/es.js index 8382ecf0842..2c7e76a2cbb 100644 --- a/apps/oauth2/l10n/es.js +++ b/apps/oauth2/l10n/es.js @@ -11,7 +11,7 @@ OC.L10N.register( "Name" : "Nombre", "Redirection URI" : "URI de redirección", "Client Identifier" : "Identificador de cliente", - "Secret key" : "Llave secreta", + "Secret key" : "Clave secreta", "Delete client" : "Eliminar cliente", "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", diff --git a/apps/oauth2/l10n/es.json b/apps/oauth2/l10n/es.json index 1c7eec7af72..9854ba3aa83 100644 --- a/apps/oauth2/l10n/es.json +++ b/apps/oauth2/l10n/es.json @@ -9,7 +9,7 @@ "Name" : "Nombre", "Redirection URI" : "URI de redirección", "Client Identifier" : "Identificador de cliente", - "Secret key" : "Llave secreta", + "Secret key" : "Clave secreta", "Delete client" : "Eliminar cliente", "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", diff --git a/apps/provisioning_api/l10n/pl.js b/apps/provisioning_api/l10n/pl.js index ccb9e76b8ac..b477b89f024 100644 --- a/apps/provisioning_api/l10n/pl.js +++ b/apps/provisioning_api/l10n/pl.js @@ -13,6 +13,7 @@ OC.L10N.register( "Invalid password value" : "Nieprawidłowa wartość hasła", "An email address is required, to send a password link to the user." : "Wymagany jest adres e-mail, aby wysłać użytkownikowi link do ustawienia hasła.", "Required email address was not provided" : "Nie podano wymaganego adresu e-mail", + "User creation failed" : "Nie udało się utworzyć użytkownika", "Invalid quota value: %1$s" : "Nieprawidłowa wartość limitu: %1$s", "Invalid quota value. %1$s is exceeding the maximum quota" : "Nieprawidłowy limit. %1$s przekracza maksymalny dopuszczalny limit", "Unlimited quota is forbidden on this instance" : "Nieograniczony limit jest zabroniony na tej instancji", diff --git a/apps/provisioning_api/l10n/pl.json b/apps/provisioning_api/l10n/pl.json index ace8f19e8ab..90e8767ebdd 100644 --- a/apps/provisioning_api/l10n/pl.json +++ b/apps/provisioning_api/l10n/pl.json @@ -11,6 +11,7 @@ "Invalid password value" : "Nieprawidłowa wartość hasła", "An email address is required, to send a password link to the user." : "Wymagany jest adres e-mail, aby wysłać użytkownikowi link do ustawienia hasła.", "Required email address was not provided" : "Nie podano wymaganego adresu e-mail", + "User creation failed" : "Nie udało się utworzyć użytkownika", "Invalid quota value: %1$s" : "Nieprawidłowa wartość limitu: %1$s", "Invalid quota value. %1$s is exceeding the maximum quota" : "Nieprawidłowy limit. %1$s przekracza maksymalny dopuszczalny limit", "Unlimited quota is forbidden on this instance" : "Nieograniczony limit jest zabroniony na tej instancji", diff --git a/apps/provisioning_api/l10n/sw.js b/apps/provisioning_api/l10n/sw.js new file mode 100644 index 00000000000..5e6836a351c --- /dev/null +++ b/apps/provisioning_api/l10n/sw.js @@ -0,0 +1,44 @@ +OC.L10N.register( + "provisioning_api", + { + "Logged in account must be an administrator or have authorization to edit this setting." : "Akaunti iliyoingia lazima iwe msimamizi au iwe na idhini ya kuhariri mpangilio huu.", + "Could not create non-existing user ID" : "Haikuweza kuunda kitambulisho cha mtumiaji ambacho hakipo", + "User already exists" : "Mtumiaji tayari yupo", + "Group %1$s does not exist" : "Kikundi %1$s hakipo", + "Insufficient privileges for group %1$s" : "Mapendeleo yasiyotosha kwa kikundi %1$s", + "No group specified (required for sub-admins)" : "Hakuna kikundi kilichobainishwa (kinahitajika kwa wasimamizi wadogo)", + "Sub-admin group does not exist" : "Kikundi cha msimamizi mdogo hakipo", + "Cannot create sub-admins for admin group" : "Haiwezi kuunda wasimamizi wadogo wa kikundi cha wasimamizi", + "No permissions to promote sub-admins" : "Hakuna ruhusa za kukuza wasimamizi wadogo", + "Invalid password value" : "Thamani ya nenosiri si sahihi", + "An email address is required, to send a password link to the user." : "Barua pepe inahitajika, kutuma kiungo cha nenosiri kwa mtumiaji.", + "Required email address was not provided" : "Barua pepe inayohitajika haikutolewa", + "User creation failed" : "Imeshindwa kuunda mtumiaji", + "Invalid quota value: %1$s" : "Thamani ya mgao batili: %1$s", + "Invalid quota value. %1$s is exceeding the maximum quota" : "Thamani batili ya mgao. %1$s inazidi kiwango cha juu cha mgawo", + "Unlimited quota is forbidden on this instance" : "Kiasi kisicho na kikomo ni marufuku katika kesi hii", + "Setting the password is not supported by the users backend" : "Kuweka nenosiri hakuhimiliwi na mazingira ya nyuma ya watumiaji", + "Invalid language" : "Lugha batili", + "Invalid locale" : "Lugha isiyo sahihi", + "Invalid first day of week" : "Siku ya kwanza ya wiki si sahihi", + "Cannot remove yourself from the admin group" : "Huwezi kujiondoa kutoka kwa kikundi cha wasimamizi", + "Cannot remove yourself from this group as you are a sub-admin" : "Huwezi kujiondoa kwenye kikundi hiki kwa kuwa wewe ni msimamizi mdogo", + "Not viable to remove user from the last group you are sub-admin of" : "Haiwezekani kuondoa mtumiaji kutoka kwa kikundi cha mwisho ambacho wewe ni msimamizi mdogo", + "User does not exist" : "Mtumiaji hayupo", + "Group does not exist" : "Kikundi hakipo", + "User is not a sub-admin of this group" : "Mtumiaji si msimamizi mdogo wa kikundi hiki", + "Email address not available" : "Anwani ya barua pepe haipatikani", + "Sending email failed" : "Imeshindwa kutuma barua pepe", + "Email confirmation" : "Uthibitishaji wa barua pepe", + "To enable the email address %s please click the button below." : "Ili kuwezesha anwani ya barua pepe %s tafadhali bofya kitufe kilicho hapa chini.", + "Confirm" : "Thibitisha", + "Email was already removed from account and cannot be confirmed anymore." : "Barua pepe ilikuwa tayari imeondolewa kwenye akaunti na haiwezi kuthibitishwa tena.", + "Could not verify mail because the token is expired." : "Haikuweza kuthibitisha barua kwa sababu tokeni imeisha muda wake.", + "Could not verify mail because the token is invalid." : "Haikuweza kuthibitisha barua kwa sababu tokeni si sahihi.", + "An unexpected error occurred. Please contact your admin." : "Hitilafu isiyotarajiwa imetokea. Tafadhali wasiliana na msimamizi wako.", + "Email confirmation successful" : "Uthibitisho wa barua pepe umefanikiwa", + "Provisioning API" : "API ya utoaji", + "This application enables a set of APIs that external systems can use to manage accounts, groups and apps." : "Programu hii huwezesha seti ya API ambazo mifumo ya nje inaweza kutumia kudhibiti akaunti, vikundi na programu.", + "This application enables a set of APIs that external systems can use to create, edit, delete and query account\n\t\tattributes, query, set and remove groups, set quota and query total storage used in Nextcloud. Group admin accounts\n\t\tcan also query Nextcloud and perform the same functions as an admin for groups they manage. The API also enables\n\t\tan admin to query for active Nextcloud applications, application info, and to enable or disable an app remotely.\n\t\tOnce the app is enabled, HTTP requests can be used via a Basic Auth header to perform any of the functions\n\t\tlisted above. More information is available in the Provisioning API documentation, including example calls\n\t\tand server responses." : "Programu hii huwezesha seti ya API ambazo mifumo ya nje inaweza kutumia kuunda, kuhariri, kufuta na kuuliza akaunti\n\t\tsifa, uliza, weka na uondoe vikundi, weka kiasi na uulize jumla ya hifadhi inayotumika kwenye Nextcloud. Akaunti za msimamizi wa kikundi\n\t\tanaweza pia kuuliza Nextcloud na kutekeleza utendakazi sawa na msimamizi wa vikundi anavyosimamia. API pia inawezesha\n\t\tmsimamizi ili kuuliza maswali kuhusu programu zinazotumika za Nextcloud, maelezo ya programu, na kuwasha au kuzima programu kwa mbali.\n\t\tBaada ya programu kuwashwa, maombi ya HTTP yanaweza kutumika kupitia kichwa cha Uandishi wa Msingi kutekeleza utendakazi wowote.\n\t\tiliyoorodheshwa hapo juu. Maelezo zaidi yanapatikana katika hati za API ya Utoaji, ikijumuisha simu za mfano\n\t\tna majibu ya seva." +}, +"nplurals=2; plural=(n != 1);"); diff --git a/apps/provisioning_api/l10n/sw.json b/apps/provisioning_api/l10n/sw.json new file mode 100644 index 00000000000..0b1c4555d81 --- /dev/null +++ b/apps/provisioning_api/l10n/sw.json @@ -0,0 +1,42 @@ +{ "translations": { + "Logged in account must be an administrator or have authorization to edit this setting." : "Akaunti iliyoingia lazima iwe msimamizi au iwe na idhini ya kuhariri mpangilio huu.", + "Could not create non-existing user ID" : "Haikuweza kuunda kitambulisho cha mtumiaji ambacho hakipo", + "User already exists" : "Mtumiaji tayari yupo", + "Group %1$s does not exist" : "Kikundi %1$s hakipo", + "Insufficient privileges for group %1$s" : "Mapendeleo yasiyotosha kwa kikundi %1$s", + "No group specified (required for sub-admins)" : "Hakuna kikundi kilichobainishwa (kinahitajika kwa wasimamizi wadogo)", + "Sub-admin group does not exist" : "Kikundi cha msimamizi mdogo hakipo", + "Cannot create sub-admins for admin group" : "Haiwezi kuunda wasimamizi wadogo wa kikundi cha wasimamizi", + "No permissions to promote sub-admins" : "Hakuna ruhusa za kukuza wasimamizi wadogo", + "Invalid password value" : "Thamani ya nenosiri si sahihi", + "An email address is required, to send a password link to the user." : "Barua pepe inahitajika, kutuma kiungo cha nenosiri kwa mtumiaji.", + "Required email address was not provided" : "Barua pepe inayohitajika haikutolewa", + "User creation failed" : "Imeshindwa kuunda mtumiaji", + "Invalid quota value: %1$s" : "Thamani ya mgao batili: %1$s", + "Invalid quota value. %1$s is exceeding the maximum quota" : "Thamani batili ya mgao. %1$s inazidi kiwango cha juu cha mgawo", + "Unlimited quota is forbidden on this instance" : "Kiasi kisicho na kikomo ni marufuku katika kesi hii", + "Setting the password is not supported by the users backend" : "Kuweka nenosiri hakuhimiliwi na mazingira ya nyuma ya watumiaji", + "Invalid language" : "Lugha batili", + "Invalid locale" : "Lugha isiyo sahihi", + "Invalid first day of week" : "Siku ya kwanza ya wiki si sahihi", + "Cannot remove yourself from the admin group" : "Huwezi kujiondoa kutoka kwa kikundi cha wasimamizi", + "Cannot remove yourself from this group as you are a sub-admin" : "Huwezi kujiondoa kwenye kikundi hiki kwa kuwa wewe ni msimamizi mdogo", + "Not viable to remove user from the last group you are sub-admin of" : "Haiwezekani kuondoa mtumiaji kutoka kwa kikundi cha mwisho ambacho wewe ni msimamizi mdogo", + "User does not exist" : "Mtumiaji hayupo", + "Group does not exist" : "Kikundi hakipo", + "User is not a sub-admin of this group" : "Mtumiaji si msimamizi mdogo wa kikundi hiki", + "Email address not available" : "Anwani ya barua pepe haipatikani", + "Sending email failed" : "Imeshindwa kutuma barua pepe", + "Email confirmation" : "Uthibitishaji wa barua pepe", + "To enable the email address %s please click the button below." : "Ili kuwezesha anwani ya barua pepe %s tafadhali bofya kitufe kilicho hapa chini.", + "Confirm" : "Thibitisha", + "Email was already removed from account and cannot be confirmed anymore." : "Barua pepe ilikuwa tayari imeondolewa kwenye akaunti na haiwezi kuthibitishwa tena.", + "Could not verify mail because the token is expired." : "Haikuweza kuthibitisha barua kwa sababu tokeni imeisha muda wake.", + "Could not verify mail because the token is invalid." : "Haikuweza kuthibitisha barua kwa sababu tokeni si sahihi.", + "An unexpected error occurred. Please contact your admin." : "Hitilafu isiyotarajiwa imetokea. Tafadhali wasiliana na msimamizi wako.", + "Email confirmation successful" : "Uthibitisho wa barua pepe umefanikiwa", + "Provisioning API" : "API ya utoaji", + "This application enables a set of APIs that external systems can use to manage accounts, groups and apps." : "Programu hii huwezesha seti ya API ambazo mifumo ya nje inaweza kutumia kudhibiti akaunti, vikundi na programu.", + "This application enables a set of APIs that external systems can use to create, edit, delete and query account\n\t\tattributes, query, set and remove groups, set quota and query total storage used in Nextcloud. Group admin accounts\n\t\tcan also query Nextcloud and perform the same functions as an admin for groups they manage. The API also enables\n\t\tan admin to query for active Nextcloud applications, application info, and to enable or disable an app remotely.\n\t\tOnce the app is enabled, HTTP requests can be used via a Basic Auth header to perform any of the functions\n\t\tlisted above. More information is available in the Provisioning API documentation, including example calls\n\t\tand server responses." : "Programu hii huwezesha seti ya API ambazo mifumo ya nje inaweza kutumia kuunda, kuhariri, kufuta na kuuliza akaunti\n\t\tsifa, uliza, weka na uondoe vikundi, weka kiasi na uulize jumla ya hifadhi inayotumika kwenye Nextcloud. Akaunti za msimamizi wa kikundi\n\t\tanaweza pia kuuliza Nextcloud na kutekeleza utendakazi sawa na msimamizi wa vikundi anavyosimamia. API pia inawezesha\n\t\tmsimamizi ili kuuliza maswali kuhusu programu zinazotumika za Nextcloud, maelezo ya programu, na kuwasha au kuzima programu kwa mbali.\n\t\tBaada ya programu kuwashwa, maombi ya HTTP yanaweza kutumika kupitia kichwa cha Uandishi wa Msingi kutekeleza utendakazi wowote.\n\t\tiliyoorodheshwa hapo juu. Maelezo zaidi yanapatikana katika hati za API ya Utoaji, ikijumuisha simu za mfano\n\t\tna majibu ya seva." +},"pluralForm" :"nplurals=2; plural=(n != 1);" +}
\ No newline at end of file diff --git a/apps/settings/l10n/ar.js b/apps/settings/l10n/ar.js index d85b3b91cb1..cfbb4ccf8ef 100644 --- a/apps/settings/l10n/ar.js +++ b/apps/settings/l10n/ar.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "الإدارة", "Users" : "المستخدمين", "Additional settings" : "الإعدادات المتقدمة", - "Artificial Intelligence" : "الذكاء الاصطناعي", + "Assistant" : "المُساعِد", "Administration privileges" : "امتيازات الإدارة", "Groupware" : "برمجيات العمل التعاوني", "Overview" : "نظرة عامة", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "التقويم", "Personal info" : "المعلومات الشخصية", "Mobile & desktop" : "الجوال وسطح المكتب", + "Artificial Intelligence" : "الذكاء الاصطناعي", "Email server" : "خادم البريد الإلكتروني", "Mail Providers" : "مزودو خدمة البريد الإلكتروني", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "يتيح مزود البريد الإلكتروني إرسال رسائل البريد الإلكتروني مباشرةً من خلال حساب البريد الإلكتروني الشخصي للمستخدم. في الوقت الحالي، تقتصر هذه الوظيفة على دعوات التقويم. وهي تتطلب Nextcloud Mail 4.1 وحساب بريد إلكتروني في Nextcloud Mail يتطابق مع عنوان البريد الإلكتروني للمستخدم في نكست كلاود.", @@ -339,7 +340,6 @@ OC.L10N.register( "Nextcloud settings" : "إعدادات نكست كلاود", "Unified task processing" : "المعالجة الموحدة للمهام", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "يمكن تنفيذ مهام الذكاء الاصطناعي من خلال تطبيقات مختلفة. هنا يمكنك تعيين التطبيق الذي يجب استخدامه لأي مهمة.", - "Task:" : "المُهِمّة:", "Enable" : "تمكين", "None of your currently installed apps provide Task processing functionality" : "لا يوفر أي من تطبيقاتك المثبتة حاليًا وظيفة معالجة المهام", "Machine translation" : "الترجمة الآلية", @@ -349,6 +349,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "لا يوفر أي من تطبيقاتك المثبتة حاليًا وظيفة توليد الصور", "Text processing" : "معالجة النصوص", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "يمكن تنفيذ مهام معالجة النصوص بواسطة تطبيقات مختلفة. هنا يمكنك تعيين التطبيق الذي يجب استخدامه لأي مهمة", + "Task:" : "المُهِمّة:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "لا يوجد أي تطبيق مثبت لديك حاليّاً يؤدي وظيفة معالجة النصوص باستعمال واجهة API لمعالجة النصوص.", "Here you can decide which group can access certain sections of the administration settings." : "هنا يمكنك تحديد المجموعة التي يمكنها الوصول إلى أقسام معينة من إعدادات الإدارة.", "Unable to modify setting" : "تعذّر تعديل الإعداد", @@ -408,6 +409,10 @@ OC.L10N.register( "Excluded groups" : "المجموعات المُستثناة", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "عندما يتم تحديد أو استبعاد المجموعات، فإنها تستخدم المنطق التالي لتحديد ما إذا كان الحساب قد تم فرض المصادقة الثنائية عليه: إذا لم يتم تحديد أي مجموعات، فسيتم تمكين المصادقة الثنائية للجميع باستثناء أعضاء المجموعات المستبعدة. إذا تم تحديد المجموعات، فسيتم تمكين المصادقة الثنائية 2FA لجميع أعضاء هذه المجموعات. إذا كان الحساب موجودًا في مجموعة محددة ومستبعدة، فستكون الأولوية للحساب المحدد و سيتم فرض المصادقة الثنائية.", "Save changes" : "حفظ التعديلات", + "Default" : "التلقائي", + "Registered Deploy daemons list" : "قائمة برامج النشر الخفية المسجلة", + "No Deploy daemons configured" : "لم تتم تهيئة أي برامج نشر خفية", + "Register a custom one or setup from available templates" : "قُم بتسجيل واحدة مخصصة أو قم بتجهيز واحدة باستعمال القوالب المتاحة", "Show details for {appName} app" : "عرض تفاصيل التطبيق {appName} ", "Update to {update}" : "التحديث إلى {update}", "Remove" : "حذف", diff --git a/apps/settings/l10n/ar.json b/apps/settings/l10n/ar.json index 4945d046c20..4d84eb0054b 100644 --- a/apps/settings/l10n/ar.json +++ b/apps/settings/l10n/ar.json @@ -108,7 +108,7 @@ "Administration" : "الإدارة", "Users" : "المستخدمين", "Additional settings" : "الإعدادات المتقدمة", - "Artificial Intelligence" : "الذكاء الاصطناعي", + "Assistant" : "المُساعِد", "Administration privileges" : "امتيازات الإدارة", "Groupware" : "برمجيات العمل التعاوني", "Overview" : "نظرة عامة", @@ -118,6 +118,7 @@ "Calendar" : "التقويم", "Personal info" : "المعلومات الشخصية", "Mobile & desktop" : "الجوال وسطح المكتب", + "Artificial Intelligence" : "الذكاء الاصطناعي", "Email server" : "خادم البريد الإلكتروني", "Mail Providers" : "مزودو خدمة البريد الإلكتروني", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "يتيح مزود البريد الإلكتروني إرسال رسائل البريد الإلكتروني مباشرةً من خلال حساب البريد الإلكتروني الشخصي للمستخدم. في الوقت الحالي، تقتصر هذه الوظيفة على دعوات التقويم. وهي تتطلب Nextcloud Mail 4.1 وحساب بريد إلكتروني في Nextcloud Mail يتطابق مع عنوان البريد الإلكتروني للمستخدم في نكست كلاود.", @@ -337,7 +338,6 @@ "Nextcloud settings" : "إعدادات نكست كلاود", "Unified task processing" : "المعالجة الموحدة للمهام", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "يمكن تنفيذ مهام الذكاء الاصطناعي من خلال تطبيقات مختلفة. هنا يمكنك تعيين التطبيق الذي يجب استخدامه لأي مهمة.", - "Task:" : "المُهِمّة:", "Enable" : "تمكين", "None of your currently installed apps provide Task processing functionality" : "لا يوفر أي من تطبيقاتك المثبتة حاليًا وظيفة معالجة المهام", "Machine translation" : "الترجمة الآلية", @@ -347,6 +347,7 @@ "None of your currently installed apps provide image generation functionality" : "لا يوفر أي من تطبيقاتك المثبتة حاليًا وظيفة توليد الصور", "Text processing" : "معالجة النصوص", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "يمكن تنفيذ مهام معالجة النصوص بواسطة تطبيقات مختلفة. هنا يمكنك تعيين التطبيق الذي يجب استخدامه لأي مهمة", + "Task:" : "المُهِمّة:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "لا يوجد أي تطبيق مثبت لديك حاليّاً يؤدي وظيفة معالجة النصوص باستعمال واجهة API لمعالجة النصوص.", "Here you can decide which group can access certain sections of the administration settings." : "هنا يمكنك تحديد المجموعة التي يمكنها الوصول إلى أقسام معينة من إعدادات الإدارة.", "Unable to modify setting" : "تعذّر تعديل الإعداد", @@ -406,6 +407,10 @@ "Excluded groups" : "المجموعات المُستثناة", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "عندما يتم تحديد أو استبعاد المجموعات، فإنها تستخدم المنطق التالي لتحديد ما إذا كان الحساب قد تم فرض المصادقة الثنائية عليه: إذا لم يتم تحديد أي مجموعات، فسيتم تمكين المصادقة الثنائية للجميع باستثناء أعضاء المجموعات المستبعدة. إذا تم تحديد المجموعات، فسيتم تمكين المصادقة الثنائية 2FA لجميع أعضاء هذه المجموعات. إذا كان الحساب موجودًا في مجموعة محددة ومستبعدة، فستكون الأولوية للحساب المحدد و سيتم فرض المصادقة الثنائية.", "Save changes" : "حفظ التعديلات", + "Default" : "التلقائي", + "Registered Deploy daemons list" : "قائمة برامج النشر الخفية المسجلة", + "No Deploy daemons configured" : "لم تتم تهيئة أي برامج نشر خفية", + "Register a custom one or setup from available templates" : "قُم بتسجيل واحدة مخصصة أو قم بتجهيز واحدة باستعمال القوالب المتاحة", "Show details for {appName} app" : "عرض تفاصيل التطبيق {appName} ", "Update to {update}" : "التحديث إلى {update}", "Remove" : "حذف", diff --git a/apps/settings/l10n/ast.js b/apps/settings/l10n/ast.js index 10f515a74fe..fc77b0d4a7e 100644 --- a/apps/settings/l10n/ast.js +++ b/apps/settings/l10n/ast.js @@ -108,7 +108,7 @@ OC.L10N.register( "Administration" : "Alministración", "Users" : "Usuarios", "Additional settings" : "Configuración adicional", - "Artificial Intelligence" : "Intelixencia artificial", + "Assistant" : "Asistente", "Administration privileges" : "Privilexos de l'alministración", "Groupware" : "Trabayu en grupu", "Overview" : "Vista xeneral", @@ -118,6 +118,7 @@ OC.L10N.register( "Calendar" : "Calendariu", "Personal info" : "Información personal", "Mobile & desktop" : "Móvil y ordenador", + "Artificial Intelligence" : "Intelixencia artificial", "Email server" : "Sirvidor de corréu electrónicu", "Background jobs" : "Trabayos en segundu planu", "Unlimited" : "Ensin llende", @@ -201,11 +202,11 @@ OC.L10N.register( "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "La base de datos nun s'executa col nivel d'aislamientu de transaiciones «READ COMMITTED». Esta transaición pue causar problemes cuando s'executen múltiples aiciones en paralelo.", "Profile information" : "Información del perfil", "Nextcloud settings" : "Configuración de Nextcloud", - "Task:" : "Xera:", "Enable" : "Activar", "Machine translation" : "Traducción per ordenador", "Image generation" : "Xeneración d'imáxenes", "Text processing" : "Procesamientu de testos", + "Task:" : "Xera:", "Here you can decide which group can access certain sections of the administration settings." : "Equí pues decidir qué grupu pue acceder a ciertes seiciones de la configuración d'alministración.", "Unable to modify setting" : "Nun ye posible modificar la opción", "None" : "Nada", @@ -219,6 +220,7 @@ OC.L10N.register( "Two-factor authentication is not enforced for members of the following groups." : "L'autenticación en dos pasos nun ye obligatoria pa los miembros de los grupos siguientes.", "Excluded groups" : "Grupos escluyíos", "Save changes" : "Guardar los cambeos", + "Default" : "Por defeutu", "Remove" : "Quitar", "Featured" : "Destacada", "Disable all" : "Desactivar too", diff --git a/apps/settings/l10n/ast.json b/apps/settings/l10n/ast.json index 051ecd727cf..aa5850dde17 100644 --- a/apps/settings/l10n/ast.json +++ b/apps/settings/l10n/ast.json @@ -106,7 +106,7 @@ "Administration" : "Alministración", "Users" : "Usuarios", "Additional settings" : "Configuración adicional", - "Artificial Intelligence" : "Intelixencia artificial", + "Assistant" : "Asistente", "Administration privileges" : "Privilexos de l'alministración", "Groupware" : "Trabayu en grupu", "Overview" : "Vista xeneral", @@ -116,6 +116,7 @@ "Calendar" : "Calendariu", "Personal info" : "Información personal", "Mobile & desktop" : "Móvil y ordenador", + "Artificial Intelligence" : "Intelixencia artificial", "Email server" : "Sirvidor de corréu electrónicu", "Background jobs" : "Trabayos en segundu planu", "Unlimited" : "Ensin llende", @@ -199,11 +200,11 @@ "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "La base de datos nun s'executa col nivel d'aislamientu de transaiciones «READ COMMITTED». Esta transaición pue causar problemes cuando s'executen múltiples aiciones en paralelo.", "Profile information" : "Información del perfil", "Nextcloud settings" : "Configuración de Nextcloud", - "Task:" : "Xera:", "Enable" : "Activar", "Machine translation" : "Traducción per ordenador", "Image generation" : "Xeneración d'imáxenes", "Text processing" : "Procesamientu de testos", + "Task:" : "Xera:", "Here you can decide which group can access certain sections of the administration settings." : "Equí pues decidir qué grupu pue acceder a ciertes seiciones de la configuración d'alministración.", "Unable to modify setting" : "Nun ye posible modificar la opción", "None" : "Nada", @@ -217,6 +218,7 @@ "Two-factor authentication is not enforced for members of the following groups." : "L'autenticación en dos pasos nun ye obligatoria pa los miembros de los grupos siguientes.", "Excluded groups" : "Grupos escluyíos", "Save changes" : "Guardar los cambeos", + "Default" : "Por defeutu", "Remove" : "Quitar", "Featured" : "Destacada", "Disable all" : "Desactivar too", diff --git a/apps/settings/l10n/bg.js b/apps/settings/l10n/bg.js index fae12d1fa34..e6a9abf895c 100644 --- a/apps/settings/l10n/bg.js +++ b/apps/settings/l10n/bg.js @@ -105,7 +105,6 @@ OC.L10N.register( "Administration" : "Административни", "Users" : "Потребители", "Additional settings" : "Допълнителни настройки", - "Artificial Intelligence" : "Изкуствен интелект", "Administration privileges" : "Административни привилегии", "Groupware" : "Групов софтуер", "Overview" : "Преглед", @@ -115,6 +114,7 @@ OC.L10N.register( "Calendar" : "Kалендар", "Personal info" : "Лични данни", "Mobile & desktop" : "Мобилни и настолни", + "Artificial Intelligence" : "Изкуствен интелект", "Email server" : "Имейл сървър", "User's email account" : "Потребителски е-мейл профил", "System email account" : "Системен е-мейл профил", @@ -167,6 +167,7 @@ OC.L10N.register( "Two-factor authentication is not enforced for members of the following groups." : "Двустепенно удостоверяване не се прилага за членове на следните групи.", "Excluded groups" : "Изключени групи", "Save changes" : "Запиши промените", + "Default" : "По подразбиране", "Update to {update}" : "Актуализирай до {update}", "Remove" : "Премахване", "Featured" : "Препоръчани", diff --git a/apps/settings/l10n/bg.json b/apps/settings/l10n/bg.json index 76a5f45bd1d..7dced04dee8 100644 --- a/apps/settings/l10n/bg.json +++ b/apps/settings/l10n/bg.json @@ -103,7 +103,6 @@ "Administration" : "Административни", "Users" : "Потребители", "Additional settings" : "Допълнителни настройки", - "Artificial Intelligence" : "Изкуствен интелект", "Administration privileges" : "Административни привилегии", "Groupware" : "Групов софтуер", "Overview" : "Преглед", @@ -113,6 +112,7 @@ "Calendar" : "Kалендар", "Personal info" : "Лични данни", "Mobile & desktop" : "Мобилни и настолни", + "Artificial Intelligence" : "Изкуствен интелект", "Email server" : "Имейл сървър", "User's email account" : "Потребителски е-мейл профил", "System email account" : "Системен е-мейл профил", @@ -165,6 +165,7 @@ "Two-factor authentication is not enforced for members of the following groups." : "Двустепенно удостоверяване не се прилага за членове на следните групи.", "Excluded groups" : "Изключени групи", "Save changes" : "Запиши промените", + "Default" : "По подразбиране", "Update to {update}" : "Актуализирай до {update}", "Remove" : "Премахване", "Featured" : "Препоръчани", diff --git a/apps/settings/l10n/br.js b/apps/settings/l10n/br.js index bf6fc6c32b4..8b0dac67bae 100644 --- a/apps/settings/l10n/br.js +++ b/apps/settings/l10n/br.js @@ -88,6 +88,7 @@ OC.L10N.register( "Administration" : "Merouriez", "Users" : "Implijer", "Additional settings" : "Stummoù ouzhpenn", + "Assistant" : "Skoazeller", "Groupware" : "Labour a stroll", "Overview" : "Taol-lagad", "Basic settings" : "Stummoù diazez", diff --git a/apps/settings/l10n/br.json b/apps/settings/l10n/br.json index d0248f36064..a32d821144a 100644 --- a/apps/settings/l10n/br.json +++ b/apps/settings/l10n/br.json @@ -86,6 +86,7 @@ "Administration" : "Merouriez", "Users" : "Implijer", "Additional settings" : "Stummoù ouzhpenn", + "Assistant" : "Skoazeller", "Groupware" : "Labour a stroll", "Overview" : "Taol-lagad", "Basic settings" : "Stummoù diazez", diff --git a/apps/settings/l10n/ca.js b/apps/settings/l10n/ca.js index 7128f897132..419c3525723 100644 --- a/apps/settings/l10n/ca.js +++ b/apps/settings/l10n/ca.js @@ -109,7 +109,7 @@ OC.L10N.register( "Administration" : "Administració", "Users" : "Usuaris", "Additional settings" : "Paràmetres addicionals", - "Artificial Intelligence" : "Intel·ligència artificial", + "Assistant" : "Assistent", "Administration privileges" : "Privilegis d'administració", "Groupware" : "Treball en grup", "Overview" : "Resum", @@ -119,6 +119,7 @@ OC.L10N.register( "Calendar" : "Calendari", "Personal info" : "Informació personal", "Mobile & desktop" : "Mòbil i escriptori", + "Artificial Intelligence" : "Intel·ligència artificial", "Email server" : "Servidor de correu electrònic", "Mail Providers" : "Proveïdors de correu", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "El proveïdor de correu permet enviar correus electrònics directament a través del compte de correu electrònic personal de l'usuari. Actualment, aquesta funcionalitat es limita a les invitacions del calendari. Requereix Nextcloud Correu 4.1 i un compte de correu electrònic a Nextcloud Correu que coincideixi amb l'adreça de correu electrònic de l'usuari a Nextcloud.", @@ -337,7 +338,6 @@ OC.L10N.register( "Nextcloud settings" : "Paràmetres del Nextcloud", "Unified task processing" : "Processament de tasques unificat", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Les tasques d'IA es poden implementar mitjançant diferents aplicacions. Aquí podeu definir quina aplicació s'ha d'utilitzar per a quina tasca.", - "Task:" : "Tasca:", "Enable" : "Activa", "None of your currently installed apps provide Task processing functionality" : "Cap de les vostres aplicacions instal·lades actualment ofereix la funcionalitat de processament de tasques", "Machine translation" : "Traducció automàtica", @@ -347,6 +347,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Cap de les vostres aplicacions instal·lades actualment ofereix la funcionalitat de generació d'imatges", "Text processing" : "Processament de text", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Les tasques de processament de text es poden implementar mitjançant diferents aplicacions. Aquí podeu definir quina aplicació s'ha d'utilitzar per a quina tasca.", + "Task:" : "Tasca:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Cap de les vostres aplicacions instal·lades actualment ofereix funcionalitat de processament de text mitjançant l'API de processament de text.", "Here you can decide which group can access certain sections of the administration settings." : "Aquí podeu decidir quin grup pot accedir a certes seccions dels paràmetres d'administració.", "Unable to modify setting" : "No es pot modificar el paràmetre", @@ -406,6 +407,10 @@ OC.L10N.register( "Excluded groups" : "Grups exclosos", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Quan se seleccionen/exclouen grups, utilitzen la lògica següent per determinar si un compte té 2FA aplicat: Si no se selecciona cap grup, 2FA s'habilita per a tothom excepte per als membres dels grups exclosos. Si se seleccionen grups, s'habilita 2FA per a tots els membres d'aquests. Si un compte es troba tant en un grup seleccionat com en un grup exclòs, el seleccionat té prioritat i s'aplica la 2FA.", "Save changes" : "Desa els canvis", + "Default" : "Per defecte", + "Registered Deploy daemons list" : "Llista de dimonis de desplegament registrats", + "No Deploy daemons configured" : "No s'ha configurat cap dimoni de desplegament", + "Register a custom one or setup from available templates" : "Registreu-ne un personalitzat o configureu-ne a partir de les plantilles disponibles", "Show details for {appName} app" : "Mostra els detalls de l'aplicació {appName}", "Update to {update}" : "Actualitza a {update}", "Remove" : "Suprimeix", diff --git a/apps/settings/l10n/ca.json b/apps/settings/l10n/ca.json index b6342c3fdef..89c397c4530 100644 --- a/apps/settings/l10n/ca.json +++ b/apps/settings/l10n/ca.json @@ -107,7 +107,7 @@ "Administration" : "Administració", "Users" : "Usuaris", "Additional settings" : "Paràmetres addicionals", - "Artificial Intelligence" : "Intel·ligència artificial", + "Assistant" : "Assistent", "Administration privileges" : "Privilegis d'administració", "Groupware" : "Treball en grup", "Overview" : "Resum", @@ -117,6 +117,7 @@ "Calendar" : "Calendari", "Personal info" : "Informació personal", "Mobile & desktop" : "Mòbil i escriptori", + "Artificial Intelligence" : "Intel·ligència artificial", "Email server" : "Servidor de correu electrònic", "Mail Providers" : "Proveïdors de correu", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "El proveïdor de correu permet enviar correus electrònics directament a través del compte de correu electrònic personal de l'usuari. Actualment, aquesta funcionalitat es limita a les invitacions del calendari. Requereix Nextcloud Correu 4.1 i un compte de correu electrònic a Nextcloud Correu que coincideixi amb l'adreça de correu electrònic de l'usuari a Nextcloud.", @@ -335,7 +336,6 @@ "Nextcloud settings" : "Paràmetres del Nextcloud", "Unified task processing" : "Processament de tasques unificat", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Les tasques d'IA es poden implementar mitjançant diferents aplicacions. Aquí podeu definir quina aplicació s'ha d'utilitzar per a quina tasca.", - "Task:" : "Tasca:", "Enable" : "Activa", "None of your currently installed apps provide Task processing functionality" : "Cap de les vostres aplicacions instal·lades actualment ofereix la funcionalitat de processament de tasques", "Machine translation" : "Traducció automàtica", @@ -345,6 +345,7 @@ "None of your currently installed apps provide image generation functionality" : "Cap de les vostres aplicacions instal·lades actualment ofereix la funcionalitat de generació d'imatges", "Text processing" : "Processament de text", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Les tasques de processament de text es poden implementar mitjançant diferents aplicacions. Aquí podeu definir quina aplicació s'ha d'utilitzar per a quina tasca.", + "Task:" : "Tasca:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Cap de les vostres aplicacions instal·lades actualment ofereix funcionalitat de processament de text mitjançant l'API de processament de text.", "Here you can decide which group can access certain sections of the administration settings." : "Aquí podeu decidir quin grup pot accedir a certes seccions dels paràmetres d'administració.", "Unable to modify setting" : "No es pot modificar el paràmetre", @@ -404,6 +405,10 @@ "Excluded groups" : "Grups exclosos", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Quan se seleccionen/exclouen grups, utilitzen la lògica següent per determinar si un compte té 2FA aplicat: Si no se selecciona cap grup, 2FA s'habilita per a tothom excepte per als membres dels grups exclosos. Si se seleccionen grups, s'habilita 2FA per a tots els membres d'aquests. Si un compte es troba tant en un grup seleccionat com en un grup exclòs, el seleccionat té prioritat i s'aplica la 2FA.", "Save changes" : "Desa els canvis", + "Default" : "Per defecte", + "Registered Deploy daemons list" : "Llista de dimonis de desplegament registrats", + "No Deploy daemons configured" : "No s'ha configurat cap dimoni de desplegament", + "Register a custom one or setup from available templates" : "Registreu-ne un personalitzat o configureu-ne a partir de les plantilles disponibles", "Show details for {appName} app" : "Mostra els detalls de l'aplicació {appName}", "Update to {update}" : "Actualitza a {update}", "Remove" : "Suprimeix", diff --git a/apps/settings/l10n/cs.js b/apps/settings/l10n/cs.js index 7fead4b9912..38f5233e1ed 100644 --- a/apps/settings/l10n/cs.js +++ b/apps/settings/l10n/cs.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "Správa", "Users" : "Uživatelé", "Additional settings" : "Další nastavení", - "Artificial Intelligence" : "Umělá inteligence", + "Assistant" : "Asistent", "Administration privileges" : "Oprávnění ke správě", "Groupware" : "Software pro podporu spolupráce", "Overview" : "Přehled", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "Kalendář", "Personal info" : "Osobní údaje", "Mobile & desktop" : "Mobilní a desktop", + "Artificial Intelligence" : "Umělá inteligence", "Email server" : "E-mailový server", "Mail Providers" : "Poskytovatelé e-mailů", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Poskytovatelé e-mailů umožňují odesílání e-mailů přímo prostřednictvím osobního e-mailového účtu uživatele. Zatím je tato funkce omezena na pozvánky do kalendáře. Vyžaduje Nextcloud E-mail 4.1 a účet v Nextcloud E-mail, který se shoduje s e-mailovou adresou uživatele v Nextcloud.", @@ -344,7 +345,6 @@ OC.L10N.register( "Unified task processing" : "Sjednocené zpracovávání úkolů", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Úlohy AI je možné implementovat různými aplikacemi. Zde je možné nastavit, která z nich má být používána který typ úlohy.", "Allow AI usage for guest users" : "Umožnit uživatelům-hostům využívat AI", - "Task:" : "Úloha:", "Enable" : "Zapnout", "None of your currently installed apps provide Task processing functionality" : "Žádná z v tuto chvíli nainstalovaných aplikací neposkytuje funkci zpracovávání úkolů", "Machine translation" : "Strojový překlad", @@ -354,6 +354,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Žádná z v tuto chvíli nainstalovaných aplikací neposkytuje funkci vytváření obrázků", "Text processing" : "Zpracování textu", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Úlohy zpracovávání textu je možné implementovat různými aplikacemi. Zde je možné nastavit, která z nich má být používána který typ úlohy.", + "Task:" : "Úloha:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Žádná z v tuto chvíli nainstalovaných aplikací neposkytuje funkci zpracovávání textu prostřednictvím API rozhraní pro zpracovávání textu.", "Here you can decide which group can access certain sections of the administration settings." : "Zde je možné rozhodnout, které skupiny mohou přistupovat k určitým nastavením správy.", "Unable to modify setting" : "Nastavení se nedaří změnit", @@ -417,6 +418,10 @@ OC.L10N.register( "Excluded groups" : "Vynechané skupiny", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Když jsou skupiny vybrány/vynechány, je pro zjišťování zda je účtu vynuceno dvoufázové (2FA) ověřování použita následující logika: Pokud nejsou vybrány žádné skupiny, je 2FA zapnuto pro všechny kromě členů vynechaných skupin. Pokud jsou nějaké skupiny vybrány, je 2FA zapnuto pro všechny jejich členy. Pokud je účet členem jak vybrané, tak vynechané skupiny, pak má ta vybraná přednost a 2FA je vynuceno.", "Save changes" : "Uložit změny", + "Default" : "Výchozí", + "Registered Deploy daemons list" : "Seznam zaregistrovaných procesů nasazování", + "No Deploy daemons configured" : "Nejsou nastavené žádné procesy služby nasazování", + "Register a custom one or setup from available templates" : "Zaregistrujte uživatelsky určené nebo nastavte z dostupných šablon", "Show details for {appName} app" : "Zobrazit podrobnosti o aplikaci {appName}", "Update to {update}" : "Aktualizovat na {update}", "Remove" : "Odstranit", diff --git a/apps/settings/l10n/cs.json b/apps/settings/l10n/cs.json index 7269c122bb3..2df57ae35e3 100644 --- a/apps/settings/l10n/cs.json +++ b/apps/settings/l10n/cs.json @@ -108,7 +108,7 @@ "Administration" : "Správa", "Users" : "Uživatelé", "Additional settings" : "Další nastavení", - "Artificial Intelligence" : "Umělá inteligence", + "Assistant" : "Asistent", "Administration privileges" : "Oprávnění ke správě", "Groupware" : "Software pro podporu spolupráce", "Overview" : "Přehled", @@ -118,6 +118,7 @@ "Calendar" : "Kalendář", "Personal info" : "Osobní údaje", "Mobile & desktop" : "Mobilní a desktop", + "Artificial Intelligence" : "Umělá inteligence", "Email server" : "E-mailový server", "Mail Providers" : "Poskytovatelé e-mailů", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Poskytovatelé e-mailů umožňují odesílání e-mailů přímo prostřednictvím osobního e-mailového účtu uživatele. Zatím je tato funkce omezena na pozvánky do kalendáře. Vyžaduje Nextcloud E-mail 4.1 a účet v Nextcloud E-mail, který se shoduje s e-mailovou adresou uživatele v Nextcloud.", @@ -342,7 +343,6 @@ "Unified task processing" : "Sjednocené zpracovávání úkolů", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Úlohy AI je možné implementovat různými aplikacemi. Zde je možné nastavit, která z nich má být používána který typ úlohy.", "Allow AI usage for guest users" : "Umožnit uživatelům-hostům využívat AI", - "Task:" : "Úloha:", "Enable" : "Zapnout", "None of your currently installed apps provide Task processing functionality" : "Žádná z v tuto chvíli nainstalovaných aplikací neposkytuje funkci zpracovávání úkolů", "Machine translation" : "Strojový překlad", @@ -352,6 +352,7 @@ "None of your currently installed apps provide image generation functionality" : "Žádná z v tuto chvíli nainstalovaných aplikací neposkytuje funkci vytváření obrázků", "Text processing" : "Zpracování textu", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Úlohy zpracovávání textu je možné implementovat různými aplikacemi. Zde je možné nastavit, která z nich má být používána který typ úlohy.", + "Task:" : "Úloha:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Žádná z v tuto chvíli nainstalovaných aplikací neposkytuje funkci zpracovávání textu prostřednictvím API rozhraní pro zpracovávání textu.", "Here you can decide which group can access certain sections of the administration settings." : "Zde je možné rozhodnout, které skupiny mohou přistupovat k určitým nastavením správy.", "Unable to modify setting" : "Nastavení se nedaří změnit", @@ -415,6 +416,10 @@ "Excluded groups" : "Vynechané skupiny", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Když jsou skupiny vybrány/vynechány, je pro zjišťování zda je účtu vynuceno dvoufázové (2FA) ověřování použita následující logika: Pokud nejsou vybrány žádné skupiny, je 2FA zapnuto pro všechny kromě členů vynechaných skupin. Pokud jsou nějaké skupiny vybrány, je 2FA zapnuto pro všechny jejich členy. Pokud je účet členem jak vybrané, tak vynechané skupiny, pak má ta vybraná přednost a 2FA je vynuceno.", "Save changes" : "Uložit změny", + "Default" : "Výchozí", + "Registered Deploy daemons list" : "Seznam zaregistrovaných procesů nasazování", + "No Deploy daemons configured" : "Nejsou nastavené žádné procesy služby nasazování", + "Register a custom one or setup from available templates" : "Zaregistrujte uživatelsky určené nebo nastavte z dostupných šablon", "Show details for {appName} app" : "Zobrazit podrobnosti o aplikaci {appName}", "Update to {update}" : "Aktualizovat na {update}", "Remove" : "Odstranit", diff --git a/apps/settings/l10n/da.js b/apps/settings/l10n/da.js index c55b9690377..b400ed23fce 100644 --- a/apps/settings/l10n/da.js +++ b/apps/settings/l10n/da.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "Administration", "Users" : "Brugere", "Additional settings" : "Yderligere indstillinger", - "Artificial Intelligence" : "Kunstig Intelligens", + "Assistant" : "Assistent", "Administration privileges" : "Administrationsrettigheder", "Groupware" : "Groupware", "Overview" : "Overblik", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "Kalender", "Personal info" : "Personlige oplysninger", "Mobile & desktop" : "Mobil & desktop", + "Artificial Intelligence" : "Kunstig Intelligens", "Email server" : "E-mailserver", "Mail Providers" : "Mailudbydere", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Mailudbydere gør det muligt at sende e-mails direkte gennem brugerens personlige e-mail konto. For nuværende er denne funktion begrænset til kalenderinvitationer. Det kræver Nextcloud Mail 4.1 og en e-mail konto i Nextcloud Mail som matcher brugerens e-mail adresse i Nextcloud.", @@ -339,7 +340,6 @@ OC.L10N.register( "Nextcloud settings" : "Nextcloud indstillinger", "Unified task processing" : "Samlet opgavebehandling", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "AI opgaver kan implementeres af forskellige apps. Her kan du indstille hvilken app der skal bruges til hvilken opgave.", - "Task:" : "Opgave:", "Enable" : "Aktiver", "None of your currently installed apps provide Task processing functionality" : "Ingen af dine aktuelt installerede apps giver opgavebehandlings funktionalitet", "Machine translation" : "Maskinoversættelse", @@ -349,6 +349,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Ingen af dine aktuelt installerede apps giver billedgenereringsfunktionalitet", "Text processing" : "Tekstbehandling", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Tekstbehandlingsopgaver kan implementeres af forskellige apps. Her kan du indstille hvilken app der skal bruges til hvilken opgave.", + "Task:" : "Opgave:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Ingen af dine aktuelt installerede apps giver tekstbehandlingsfunktionalitet ved hjælp af tekstbehandlings API'et.", "Here you can decide which group can access certain sections of the administration settings." : "Her kan du bestemme, hvilken gruppe der kan få adgang til visse sektioner af administrationsindstillingerne.", "Unable to modify setting" : "Indstillingen kunne ikke ændres", @@ -408,6 +409,10 @@ OC.L10N.register( "Excluded groups" : "Ekskluderede grupper", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Når grupper er valgt/ekskluderet, så anvender de følgende logik til at bestemme, om en konto har 2FA håndhævet: Hvis ingen grupper er valgt, så er 2FA aktiveret for alle, undtagen medlemmer af de ekskluderede grupper. Hvis grupper er valgt, så er 2FA aktiveret for alle medlemmer af disse. Hvis en konto er både i en valgt og ekskluderet gruppe, så har den valgte forrang, og 2FA håndhæves.", "Save changes" : "Gem ændringer", + "Default" : "Standard", + "Registered Deploy daemons list" : "Liste over registrerede udgivelses daemoner", + "No Deploy daemons configured" : "Ingen udgivelses daemoner konfigureret", + "Register a custom one or setup from available templates" : "Registrer en brugerdefineret en eller opsæt fra tilgængelige skabeloner", "Show details for {appName} app" : "Vis detaljer for {appName} app", "Update to {update}" : "Opdater til {update}", "Remove" : "Fjern", diff --git a/apps/settings/l10n/da.json b/apps/settings/l10n/da.json index d0298a198f4..1449c871cd5 100644 --- a/apps/settings/l10n/da.json +++ b/apps/settings/l10n/da.json @@ -108,7 +108,7 @@ "Administration" : "Administration", "Users" : "Brugere", "Additional settings" : "Yderligere indstillinger", - "Artificial Intelligence" : "Kunstig Intelligens", + "Assistant" : "Assistent", "Administration privileges" : "Administrationsrettigheder", "Groupware" : "Groupware", "Overview" : "Overblik", @@ -118,6 +118,7 @@ "Calendar" : "Kalender", "Personal info" : "Personlige oplysninger", "Mobile & desktop" : "Mobil & desktop", + "Artificial Intelligence" : "Kunstig Intelligens", "Email server" : "E-mailserver", "Mail Providers" : "Mailudbydere", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Mailudbydere gør det muligt at sende e-mails direkte gennem brugerens personlige e-mail konto. For nuværende er denne funktion begrænset til kalenderinvitationer. Det kræver Nextcloud Mail 4.1 og en e-mail konto i Nextcloud Mail som matcher brugerens e-mail adresse i Nextcloud.", @@ -337,7 +338,6 @@ "Nextcloud settings" : "Nextcloud indstillinger", "Unified task processing" : "Samlet opgavebehandling", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "AI opgaver kan implementeres af forskellige apps. Her kan du indstille hvilken app der skal bruges til hvilken opgave.", - "Task:" : "Opgave:", "Enable" : "Aktiver", "None of your currently installed apps provide Task processing functionality" : "Ingen af dine aktuelt installerede apps giver opgavebehandlings funktionalitet", "Machine translation" : "Maskinoversættelse", @@ -347,6 +347,7 @@ "None of your currently installed apps provide image generation functionality" : "Ingen af dine aktuelt installerede apps giver billedgenereringsfunktionalitet", "Text processing" : "Tekstbehandling", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Tekstbehandlingsopgaver kan implementeres af forskellige apps. Her kan du indstille hvilken app der skal bruges til hvilken opgave.", + "Task:" : "Opgave:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Ingen af dine aktuelt installerede apps giver tekstbehandlingsfunktionalitet ved hjælp af tekstbehandlings API'et.", "Here you can decide which group can access certain sections of the administration settings." : "Her kan du bestemme, hvilken gruppe der kan få adgang til visse sektioner af administrationsindstillingerne.", "Unable to modify setting" : "Indstillingen kunne ikke ændres", @@ -406,6 +407,10 @@ "Excluded groups" : "Ekskluderede grupper", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Når grupper er valgt/ekskluderet, så anvender de følgende logik til at bestemme, om en konto har 2FA håndhævet: Hvis ingen grupper er valgt, så er 2FA aktiveret for alle, undtagen medlemmer af de ekskluderede grupper. Hvis grupper er valgt, så er 2FA aktiveret for alle medlemmer af disse. Hvis en konto er både i en valgt og ekskluderet gruppe, så har den valgte forrang, og 2FA håndhæves.", "Save changes" : "Gem ændringer", + "Default" : "Standard", + "Registered Deploy daemons list" : "Liste over registrerede udgivelses daemoner", + "No Deploy daemons configured" : "Ingen udgivelses daemoner konfigureret", + "Register a custom one or setup from available templates" : "Registrer en brugerdefineret en eller opsæt fra tilgængelige skabeloner", "Show details for {appName} app" : "Vis detaljer for {appName} app", "Update to {update}" : "Opdater til {update}", "Remove" : "Fjern", diff --git a/apps/settings/l10n/de.js b/apps/settings/l10n/de.js index 72f937b07e7..0f6c53e01fc 100644 --- a/apps/settings/l10n/de.js +++ b/apps/settings/l10n/de.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "Administration", "Users" : "Konten", "Additional settings" : "Zusätzliche Einstellungen", - "Artificial Intelligence" : "Künstliche Intelligenz", + "Assistant" : "Benötigt keine Übersetzung. Hier wird nur die formelle Übersetzung verwendet (de_DE).", "Administration privileges" : "Administrationsrechte", "Groupware" : "Groupware", "Overview" : "Übersicht", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "Kalender", "Personal info" : "Persönliche Informationen", "Mobile & desktop" : "Mobil & Desktop", + "Artificial Intelligence" : "Künstliche Intelligenz", "Email server" : "E-Mail-Server", "Mail Providers" : "E-Mail-Anbieter", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Der E-Mail-Anbieter ermöglicht das Senden von E-Mails direkt über das persönliche E-Mail-Konto des Benutzers. Derzeit ist diese Funktion auf Kalendereinladungen beschränkt. Es erfordert Nextcloud Mail 4.1 und ein E-Mail-Konto in Nextcloud Mail, das mit der E-Mail-Adresse des Benutzers in Nextcloud übereinstimmt.", @@ -344,7 +345,7 @@ OC.L10N.register( "Unified task processing" : "Vereinheitlichte Aufgabenbearbeitung", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "KI-Aufgaben können mittels verschiedener Apps umgesetzt werden. Hier kann eingestellt werden, welche App für welche Aufgabe verwendet werden soll.", "Allow AI usage for guest users" : "KI-Benutzung für Gastbenutzer zulassen", - "Task:" : "Aufgabe:", + "Provider for Task types" : "Anbieter für Aufgabentypen", "Enable" : "Aktivieren", "None of your currently installed apps provide Task processing functionality" : "Keine deiner derzeit installierten Apps stellt Funktionen zur Aufgabenverarbeitung bereit", "Machine translation" : "Maschinelle Übersetzung", @@ -354,6 +355,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Keine der derzeit installierten Apps bietet Funktionen zur Bilderstellung.", "Text processing" : "Textverarbeitung", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Textverarbeitungsaufgaben können mittels verschiedener Apps umgesetzt werden. Hier kann eingestellt werden, welche App für welche Aufgabe verwendet werden soll.", + "Task:" : "Aufgabe:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Keine deiner derzeit installierten Apps bietet Funktionalität zur Textverarbeitung durch Nutzung der Text-Processing-API.", "Here you can decide which group can access certain sections of the administration settings." : "Hier kann festgelegt werden, welche Gruppe auf bestimmte Bereiche der Administrationseinstellungen zugreifen kann.", "Unable to modify setting" : "Einstellung konnte nicht geändert werden", @@ -418,6 +420,10 @@ OC.L10N.register( "Excluded groups" : "Ausgeschlossene Gruppen", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Bei der Auswahl/Abwahl von Gruppen wird folgende Logik verwendet, um festzustellen, ob ein Konto 2FA verwenden muss: Wenn keine Gruppe ausgewählt ist, dann wird 2FA für alle Konten aktiviert, außer für solche der ausgenommenen Gruppen. Sind Gruppen ausgewählt, so wird 2FA für alle Kontendieser Gruppen aktiviert. Ist ein Konto sowohl in einer ausgewählten als auch in einer ausgenommenen Gruppe, so hat die Auswahl Vorrang und 2FA wird aktiviert.", "Save changes" : "Änderungen speichern", + "Default" : "Standard", + "Registered Deploy daemons list" : "Liste von registrierten Bereitstellungsdaemons", + "No Deploy daemons configured" : "Keine Bereitstellungsdämonen konfiguriert", + "Register a custom one or setup from available templates" : "Registriere eine benutzerdefinierte Vorlage oder richte sie aus verfügbaren Vorlagen ein", "Show details for {appName} app" : "Details der App {appName} anzeigen", "Update to {update}" : "Aktualisieren auf {update}", "Remove" : "Entfernen", diff --git a/apps/settings/l10n/de.json b/apps/settings/l10n/de.json index d8fe25e0242..81fe3298433 100644 --- a/apps/settings/l10n/de.json +++ b/apps/settings/l10n/de.json @@ -108,7 +108,7 @@ "Administration" : "Administration", "Users" : "Konten", "Additional settings" : "Zusätzliche Einstellungen", - "Artificial Intelligence" : "Künstliche Intelligenz", + "Assistant" : "Benötigt keine Übersetzung. Hier wird nur die formelle Übersetzung verwendet (de_DE).", "Administration privileges" : "Administrationsrechte", "Groupware" : "Groupware", "Overview" : "Übersicht", @@ -118,6 +118,7 @@ "Calendar" : "Kalender", "Personal info" : "Persönliche Informationen", "Mobile & desktop" : "Mobil & Desktop", + "Artificial Intelligence" : "Künstliche Intelligenz", "Email server" : "E-Mail-Server", "Mail Providers" : "E-Mail-Anbieter", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Der E-Mail-Anbieter ermöglicht das Senden von E-Mails direkt über das persönliche E-Mail-Konto des Benutzers. Derzeit ist diese Funktion auf Kalendereinladungen beschränkt. Es erfordert Nextcloud Mail 4.1 und ein E-Mail-Konto in Nextcloud Mail, das mit der E-Mail-Adresse des Benutzers in Nextcloud übereinstimmt.", @@ -342,7 +343,7 @@ "Unified task processing" : "Vereinheitlichte Aufgabenbearbeitung", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "KI-Aufgaben können mittels verschiedener Apps umgesetzt werden. Hier kann eingestellt werden, welche App für welche Aufgabe verwendet werden soll.", "Allow AI usage for guest users" : "KI-Benutzung für Gastbenutzer zulassen", - "Task:" : "Aufgabe:", + "Provider for Task types" : "Anbieter für Aufgabentypen", "Enable" : "Aktivieren", "None of your currently installed apps provide Task processing functionality" : "Keine deiner derzeit installierten Apps stellt Funktionen zur Aufgabenverarbeitung bereit", "Machine translation" : "Maschinelle Übersetzung", @@ -352,6 +353,7 @@ "None of your currently installed apps provide image generation functionality" : "Keine der derzeit installierten Apps bietet Funktionen zur Bilderstellung.", "Text processing" : "Textverarbeitung", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Textverarbeitungsaufgaben können mittels verschiedener Apps umgesetzt werden. Hier kann eingestellt werden, welche App für welche Aufgabe verwendet werden soll.", + "Task:" : "Aufgabe:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Keine deiner derzeit installierten Apps bietet Funktionalität zur Textverarbeitung durch Nutzung der Text-Processing-API.", "Here you can decide which group can access certain sections of the administration settings." : "Hier kann festgelegt werden, welche Gruppe auf bestimmte Bereiche der Administrationseinstellungen zugreifen kann.", "Unable to modify setting" : "Einstellung konnte nicht geändert werden", @@ -416,6 +418,10 @@ "Excluded groups" : "Ausgeschlossene Gruppen", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Bei der Auswahl/Abwahl von Gruppen wird folgende Logik verwendet, um festzustellen, ob ein Konto 2FA verwenden muss: Wenn keine Gruppe ausgewählt ist, dann wird 2FA für alle Konten aktiviert, außer für solche der ausgenommenen Gruppen. Sind Gruppen ausgewählt, so wird 2FA für alle Kontendieser Gruppen aktiviert. Ist ein Konto sowohl in einer ausgewählten als auch in einer ausgenommenen Gruppe, so hat die Auswahl Vorrang und 2FA wird aktiviert.", "Save changes" : "Änderungen speichern", + "Default" : "Standard", + "Registered Deploy daemons list" : "Liste von registrierten Bereitstellungsdaemons", + "No Deploy daemons configured" : "Keine Bereitstellungsdämonen konfiguriert", + "Register a custom one or setup from available templates" : "Registriere eine benutzerdefinierte Vorlage oder richte sie aus verfügbaren Vorlagen ein", "Show details for {appName} app" : "Details der App {appName} anzeigen", "Update to {update}" : "Aktualisieren auf {update}", "Remove" : "Entfernen", diff --git a/apps/settings/l10n/de_DE.js b/apps/settings/l10n/de_DE.js index c63552725fc..8372aec845d 100644 --- a/apps/settings/l10n/de_DE.js +++ b/apps/settings/l10n/de_DE.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "Administration", "Users" : "Konten", "Additional settings" : "Zusätzliche Einstellungen", - "Artificial Intelligence" : "Künstliche Intelligenz", + "Assistant" : "Assistent", "Administration privileges" : "Administrationsrechte", "Groupware" : "Groupware", "Overview" : "Übersicht", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "Kalender", "Personal info" : "Persönliche Informationen", "Mobile & desktop" : "Mobil & Desktop", + "Artificial Intelligence" : "Künstliche Intelligenz", "Email server" : "E-Mail-Server", "Mail Providers" : "E-Mail-Anbieter", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Der E-Mail-Anbieter ermöglicht das Senden von E-Mails direkt über das persönliche E-Mail-Konto des Benutzers. Derzeit ist diese Funktion auf Kalendereinladungen beschränkt. Es erfordert Nextcloud Mail 4.1 und ein E-Mail-Konto in Nextcloud Mail, das mit der E-Mail-Adresse des Benutzers in Nextcloud übereinstimmt.", @@ -344,7 +345,7 @@ OC.L10N.register( "Unified task processing" : "Vereinheitlichte Aufgabenbearbeitung", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "KI-Aufgaben können mittels verschiedener Apps umgesetzt werden. Hier können Sie einstellen, welche App für welche Aufgabe verwendet werden soll.", "Allow AI usage for guest users" : "KI-Benutzung für Gastbenutzer zulassen", - "Task:" : "Aufgaben:", + "Provider for Task types" : "Anbieter für Aufgabentypen", "Enable" : "Aktivieren", "None of your currently installed apps provide Task processing functionality" : "Keine Ihrer derzeit installierten Apps stellt Funktionen zur Aufgabenverarbeitung bereit", "Machine translation" : "Maschinelle Übersetzung", @@ -354,6 +355,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Keine Ihrer derzeit installierten Apps bietet Funktionen zur Bilderstellung", "Text processing" : "Textverarbeitung", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Textverarbeitungsaufgaben können mittels verschiedener Apps umgesetzt werden. Hier können Sie einstellen, welche App für welche Aufgabe verwendet werden soll.", + "Task:" : "Aufgaben:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Keine Ihrer derzeit installierten Apps bietet Funktionalität zur Textverarbeitung durch Nutzung der Text-Processing-API.", "Here you can decide which group can access certain sections of the administration settings." : "Hier können Sie festlegen, welche Gruppe auf bestimmte Bereiche der Administrationseinstellungen zugreifen kann.", "Unable to modify setting" : "Einstellung konnte nicht geändert werden", @@ -418,6 +420,10 @@ OC.L10N.register( "Excluded groups" : "Ausgeschlossene Gruppen", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Bei der Auswahl/Abwahl von Gruppen wird folgende Logik verwendet, um festzustellen, ob ein Konto 2FA verwenden muss: Wenn keine Gruppe ausgewählt ist, dann wird 2FA für alle Konten aktiviert, außer für Konten der ausgenommenen Gruppen. Sind Gruppen ausgewählt, so wird 2FA für alle Konten dieser Gruppen aktiviert. Ist ein Konto sowohl in einer ausgewählten als auch in einer ausgenommenen Gruppe, so hat die Auswahl Vorrang und 2FA wird aktiviert.", "Save changes" : "Änderungen speichern ", + "Default" : "Standard", + "Registered Deploy daemons list" : "Liste von registrierten Bereitstellungsdaemons", + "No Deploy daemons configured" : "Keine Bereitstellungsdämonen konfiguriert", + "Register a custom one or setup from available templates" : "Registrieren Sie eine benutzerdefinierte Vorlage oder richten Sie sie aus verfügbaren Vorlagen ein", "Show details for {appName} app" : "Details für die App {appName} anzeigen", "Update to {update}" : "Aktualisieren auf {update}", "Remove" : "Entfernen", diff --git a/apps/settings/l10n/de_DE.json b/apps/settings/l10n/de_DE.json index 9b4008900c1..3a9fd905c36 100644 --- a/apps/settings/l10n/de_DE.json +++ b/apps/settings/l10n/de_DE.json @@ -108,7 +108,7 @@ "Administration" : "Administration", "Users" : "Konten", "Additional settings" : "Zusätzliche Einstellungen", - "Artificial Intelligence" : "Künstliche Intelligenz", + "Assistant" : "Assistent", "Administration privileges" : "Administrationsrechte", "Groupware" : "Groupware", "Overview" : "Übersicht", @@ -118,6 +118,7 @@ "Calendar" : "Kalender", "Personal info" : "Persönliche Informationen", "Mobile & desktop" : "Mobil & Desktop", + "Artificial Intelligence" : "Künstliche Intelligenz", "Email server" : "E-Mail-Server", "Mail Providers" : "E-Mail-Anbieter", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Der E-Mail-Anbieter ermöglicht das Senden von E-Mails direkt über das persönliche E-Mail-Konto des Benutzers. Derzeit ist diese Funktion auf Kalendereinladungen beschränkt. Es erfordert Nextcloud Mail 4.1 und ein E-Mail-Konto in Nextcloud Mail, das mit der E-Mail-Adresse des Benutzers in Nextcloud übereinstimmt.", @@ -342,7 +343,7 @@ "Unified task processing" : "Vereinheitlichte Aufgabenbearbeitung", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "KI-Aufgaben können mittels verschiedener Apps umgesetzt werden. Hier können Sie einstellen, welche App für welche Aufgabe verwendet werden soll.", "Allow AI usage for guest users" : "KI-Benutzung für Gastbenutzer zulassen", - "Task:" : "Aufgaben:", + "Provider for Task types" : "Anbieter für Aufgabentypen", "Enable" : "Aktivieren", "None of your currently installed apps provide Task processing functionality" : "Keine Ihrer derzeit installierten Apps stellt Funktionen zur Aufgabenverarbeitung bereit", "Machine translation" : "Maschinelle Übersetzung", @@ -352,6 +353,7 @@ "None of your currently installed apps provide image generation functionality" : "Keine Ihrer derzeit installierten Apps bietet Funktionen zur Bilderstellung", "Text processing" : "Textverarbeitung", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Textverarbeitungsaufgaben können mittels verschiedener Apps umgesetzt werden. Hier können Sie einstellen, welche App für welche Aufgabe verwendet werden soll.", + "Task:" : "Aufgaben:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Keine Ihrer derzeit installierten Apps bietet Funktionalität zur Textverarbeitung durch Nutzung der Text-Processing-API.", "Here you can decide which group can access certain sections of the administration settings." : "Hier können Sie festlegen, welche Gruppe auf bestimmte Bereiche der Administrationseinstellungen zugreifen kann.", "Unable to modify setting" : "Einstellung konnte nicht geändert werden", @@ -416,6 +418,10 @@ "Excluded groups" : "Ausgeschlossene Gruppen", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Bei der Auswahl/Abwahl von Gruppen wird folgende Logik verwendet, um festzustellen, ob ein Konto 2FA verwenden muss: Wenn keine Gruppe ausgewählt ist, dann wird 2FA für alle Konten aktiviert, außer für Konten der ausgenommenen Gruppen. Sind Gruppen ausgewählt, so wird 2FA für alle Konten dieser Gruppen aktiviert. Ist ein Konto sowohl in einer ausgewählten als auch in einer ausgenommenen Gruppe, so hat die Auswahl Vorrang und 2FA wird aktiviert.", "Save changes" : "Änderungen speichern ", + "Default" : "Standard", + "Registered Deploy daemons list" : "Liste von registrierten Bereitstellungsdaemons", + "No Deploy daemons configured" : "Keine Bereitstellungsdämonen konfiguriert", + "Register a custom one or setup from available templates" : "Registrieren Sie eine benutzerdefinierte Vorlage oder richten Sie sie aus verfügbaren Vorlagen ein", "Show details for {appName} app" : "Details für die App {appName} anzeigen", "Update to {update}" : "Aktualisieren auf {update}", "Remove" : "Entfernen", diff --git a/apps/settings/l10n/el.js b/apps/settings/l10n/el.js index 8d6da1b3bc9..769c6ff263f 100644 --- a/apps/settings/l10n/el.js +++ b/apps/settings/l10n/el.js @@ -109,7 +109,6 @@ OC.L10N.register( "Administration" : "Διαχείριση", "Users" : "Χρήστες", "Additional settings" : "Επιπρόσθετες ρυθμίσεις", - "Artificial Intelligence" : "Τεχνητή νοημοσύνη", "Administration privileges" : "Προνόμια διαχειριστή", "Groupware" : "Ομαδικό", "Overview" : "Επισκόπηση", @@ -119,6 +118,7 @@ OC.L10N.register( "Calendar" : "Ημερολόγιο", "Personal info" : "Προσωπικές πληροφορίες", "Mobile & desktop" : "Κινητό & σταθερό", + "Artificial Intelligence" : "Τεχνητή νοημοσύνη", "Email server" : "Διακομιστής ηλεκτρονικής αλληλογραφίας", "Mail Providers" : "Πάροχοι αλληλογραφίας", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Ο πάροχος αλληλογραφίας επιτρέπει την αποστολή email απευθείας μέσω του προσωπικού λογαριασμού ηλεκτρονικού ταχυδρομείου του χρήστη. Αυτή τη στιγμή, αυτή η λειτουργικότητα περιορίζεται στις προσκλήσεις ημερολογίου. Απαιτεί Nextcloud Mail 4.1 και έναν λογαριασμό ηλεκτρονικού ταχυδρομείου στο Nextcloud Mail που να ταιριάζει με τη διεύθυνση ηλεκτρονικού ταχυδρομείου του χρήστη στο Nextcloud.", @@ -337,7 +337,6 @@ OC.L10N.register( "Nextcloud settings" : "Ρυθμίσεις Nextcloud", "Unified task processing" : "Ενοποιημένη επεξεργασία εργασιών", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Οι εργασίες AI μπορούν να υλοποιηθούν από διαφορετικές εφαρμογές. Εδώ μπορείτε να ορίσετε ποια εφαρμογή θα χρησιμοποιηθεί για κάθε εργασία.", - "Task:" : "Εργασία:", "Enable" : "Ενεργοποίηση", "None of your currently installed apps provide Task processing functionality" : "Καμία από τις εγκατεστημένες εφαρμογές σας δεν παρέχει λειτουργικότητα επεξεργασίας εργασιών", "Machine translation" : "Μηχανική μετάφραση", @@ -347,6 +346,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Καμία από τις εγκατεστημένες εφαρμογές σας δεν παρέχει λειτουργικότητα δημιουργίας εικόνων", "Text processing" : "Επεξεργασία κειμένου", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Οι εργασίες επεξεργασίας κειμένου μπορούν να υλοποιηθούν από διαφορετικές εφαρμογές. Εδώ μπορείτε να ορίσετε ποια εφαρμογή θα χρησιμοποιηθεί για κάθε εργασία.", + "Task:" : "Εργασία:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Καμία από τις εγκατεστημένες εφαρμογές σας δεν παρέχει λειτουργικότητα επεξεργασίας κειμένου χρησιμοποιώντας το API επεξεργασίας κειμένου.", "Here you can decide which group can access certain sections of the administration settings." : "Εδώ μπορείτε να αποφασίσετε ποια ομάδα μπορεί να έχει πρόσβαση σε ορισμένες ενότητες των ρυθμίσεων διαχείρισης.", "Unable to modify setting" : "Δεν είναι δυνατή η τροποποίηση της ρύθμισης", @@ -406,6 +406,7 @@ OC.L10N.register( "Excluded groups" : "Εξαιρούμενες ομάδες", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Όταν επιλέγονται/εξαιρούνται ομάδες, χρησιμοποιείται η ακόλουθη λογική για να καθοριστεί εάν ένας λογαριασμός έχει επιβληθεί 2FA: Εάν δεν επιλεγούν ομάδες, η 2FA είναι ενεργοποιημένη για όλους εκτός από τα μέλη των εξαιρούμενων ομάδων. Εάν επιλεγούν ομάδες, η 2FA είναι ενεργοποιημένη για όλα τα μέλη αυτών. Εάν ένας λογαριασμός ανήκει ταυτόχρονα σε μια επιλεγμένη και μια εξαιρούμενη ομάδα, η επιλεγμένη ομάδα έχει προτεραιότητα και η 2FA επιβάλλεται.", "Save changes" : "Αποθήκευση αλλαγών", + "Default" : "Προεπιλογή", "Show details for {appName} app" : "Εμφάνιση λεπτομερειών για την εφαρμογή {appName}", "Update to {update}" : "Ενημέρωση σε {update}", "Remove" : "Αφαίρεση", diff --git a/apps/settings/l10n/el.json b/apps/settings/l10n/el.json index 74d1d167aa0..2acff44aec5 100644 --- a/apps/settings/l10n/el.json +++ b/apps/settings/l10n/el.json @@ -107,7 +107,6 @@ "Administration" : "Διαχείριση", "Users" : "Χρήστες", "Additional settings" : "Επιπρόσθετες ρυθμίσεις", - "Artificial Intelligence" : "Τεχνητή νοημοσύνη", "Administration privileges" : "Προνόμια διαχειριστή", "Groupware" : "Ομαδικό", "Overview" : "Επισκόπηση", @@ -117,6 +116,7 @@ "Calendar" : "Ημερολόγιο", "Personal info" : "Προσωπικές πληροφορίες", "Mobile & desktop" : "Κινητό & σταθερό", + "Artificial Intelligence" : "Τεχνητή νοημοσύνη", "Email server" : "Διακομιστής ηλεκτρονικής αλληλογραφίας", "Mail Providers" : "Πάροχοι αλληλογραφίας", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Ο πάροχος αλληλογραφίας επιτρέπει την αποστολή email απευθείας μέσω του προσωπικού λογαριασμού ηλεκτρονικού ταχυδρομείου του χρήστη. Αυτή τη στιγμή, αυτή η λειτουργικότητα περιορίζεται στις προσκλήσεις ημερολογίου. Απαιτεί Nextcloud Mail 4.1 και έναν λογαριασμό ηλεκτρονικού ταχυδρομείου στο Nextcloud Mail που να ταιριάζει με τη διεύθυνση ηλεκτρονικού ταχυδρομείου του χρήστη στο Nextcloud.", @@ -335,7 +335,6 @@ "Nextcloud settings" : "Ρυθμίσεις Nextcloud", "Unified task processing" : "Ενοποιημένη επεξεργασία εργασιών", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Οι εργασίες AI μπορούν να υλοποιηθούν από διαφορετικές εφαρμογές. Εδώ μπορείτε να ορίσετε ποια εφαρμογή θα χρησιμοποιηθεί για κάθε εργασία.", - "Task:" : "Εργασία:", "Enable" : "Ενεργοποίηση", "None of your currently installed apps provide Task processing functionality" : "Καμία από τις εγκατεστημένες εφαρμογές σας δεν παρέχει λειτουργικότητα επεξεργασίας εργασιών", "Machine translation" : "Μηχανική μετάφραση", @@ -345,6 +344,7 @@ "None of your currently installed apps provide image generation functionality" : "Καμία από τις εγκατεστημένες εφαρμογές σας δεν παρέχει λειτουργικότητα δημιουργίας εικόνων", "Text processing" : "Επεξεργασία κειμένου", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Οι εργασίες επεξεργασίας κειμένου μπορούν να υλοποιηθούν από διαφορετικές εφαρμογές. Εδώ μπορείτε να ορίσετε ποια εφαρμογή θα χρησιμοποιηθεί για κάθε εργασία.", + "Task:" : "Εργασία:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Καμία από τις εγκατεστημένες εφαρμογές σας δεν παρέχει λειτουργικότητα επεξεργασίας κειμένου χρησιμοποιώντας το API επεξεργασίας κειμένου.", "Here you can decide which group can access certain sections of the administration settings." : "Εδώ μπορείτε να αποφασίσετε ποια ομάδα μπορεί να έχει πρόσβαση σε ορισμένες ενότητες των ρυθμίσεων διαχείρισης.", "Unable to modify setting" : "Δεν είναι δυνατή η τροποποίηση της ρύθμισης", @@ -404,6 +404,7 @@ "Excluded groups" : "Εξαιρούμενες ομάδες", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Όταν επιλέγονται/εξαιρούνται ομάδες, χρησιμοποιείται η ακόλουθη λογική για να καθοριστεί εάν ένας λογαριασμός έχει επιβληθεί 2FA: Εάν δεν επιλεγούν ομάδες, η 2FA είναι ενεργοποιημένη για όλους εκτός από τα μέλη των εξαιρούμενων ομάδων. Εάν επιλεγούν ομάδες, η 2FA είναι ενεργοποιημένη για όλα τα μέλη αυτών. Εάν ένας λογαριασμός ανήκει ταυτόχρονα σε μια επιλεγμένη και μια εξαιρούμενη ομάδα, η επιλεγμένη ομάδα έχει προτεραιότητα και η 2FA επιβάλλεται.", "Save changes" : "Αποθήκευση αλλαγών", + "Default" : "Προεπιλογή", "Show details for {appName} app" : "Εμφάνιση λεπτομερειών για την εφαρμογή {appName}", "Update to {update}" : "Ενημέρωση σε {update}", "Remove" : "Αφαίρεση", diff --git a/apps/settings/l10n/en_GB.js b/apps/settings/l10n/en_GB.js index 14a6f235b7d..d3657944451 100644 --- a/apps/settings/l10n/en_GB.js +++ b/apps/settings/l10n/en_GB.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "Administration", "Users" : "Users", "Additional settings" : "Additional settings", - "Artificial Intelligence" : "Artificial Intelligence", + "Assistant" : "Assistant", "Administration privileges" : "Administration privileges", "Groupware" : "Groupware", "Overview" : "Overview", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "Calendar", "Personal info" : "Personal info", "Mobile & desktop" : "Mobile & desktop", + "Artificial Intelligence" : "Artificial Intelligence", "Email server" : "Email server", "Mail Providers" : "Mail Providers", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud.", @@ -344,7 +345,7 @@ OC.L10N.register( "Unified task processing" : "Unified task processing", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "AI tasks can be implemented by different apps. Here you can set which app should be used for which task.", "Allow AI usage for guest users" : "Allow AI usage for guest users", - "Task:" : "Task:", + "Provider for Task types" : "Provider for Task types", "Enable" : "Enable", "None of your currently installed apps provide Task processing functionality" : "None of your currently installed apps provide Task processing functionality", "Machine translation" : "Machine translation", @@ -354,6 +355,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "None of your currently installed apps provide image generation functionality", "Text processing" : "Text processing", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task.", + "Task:" : "Task:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "None of your currently installed apps provide text processing functionality using the Text Processing API.", "Here you can decide which group can access certain sections of the administration settings." : "Here you can decide which group can access certain sections of the administration settings.", "Unable to modify setting" : "Unable to modify setting", @@ -418,6 +420,10 @@ OC.L10N.register( "Excluded groups" : "Excluded groups", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced.", "Save changes" : "Save changes", + "Default" : "Default", + "Registered Deploy daemons list" : "Registered Deploy daemons list", + "No Deploy daemons configured" : "No Deploy daemons configured", + "Register a custom one or setup from available templates" : "Register a custom one or setup from available templates", "Show details for {appName} app" : "Show details for {appName} app", "Update to {update}" : "Update to {update}", "Remove" : "Remove", diff --git a/apps/settings/l10n/en_GB.json b/apps/settings/l10n/en_GB.json index a0ea58dd924..cc5761aef9a 100644 --- a/apps/settings/l10n/en_GB.json +++ b/apps/settings/l10n/en_GB.json @@ -108,7 +108,7 @@ "Administration" : "Administration", "Users" : "Users", "Additional settings" : "Additional settings", - "Artificial Intelligence" : "Artificial Intelligence", + "Assistant" : "Assistant", "Administration privileges" : "Administration privileges", "Groupware" : "Groupware", "Overview" : "Overview", @@ -118,6 +118,7 @@ "Calendar" : "Calendar", "Personal info" : "Personal info", "Mobile & desktop" : "Mobile & desktop", + "Artificial Intelligence" : "Artificial Intelligence", "Email server" : "Email server", "Mail Providers" : "Mail Providers", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud.", @@ -342,7 +343,7 @@ "Unified task processing" : "Unified task processing", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "AI tasks can be implemented by different apps. Here you can set which app should be used for which task.", "Allow AI usage for guest users" : "Allow AI usage for guest users", - "Task:" : "Task:", + "Provider for Task types" : "Provider for Task types", "Enable" : "Enable", "None of your currently installed apps provide Task processing functionality" : "None of your currently installed apps provide Task processing functionality", "Machine translation" : "Machine translation", @@ -352,6 +353,7 @@ "None of your currently installed apps provide image generation functionality" : "None of your currently installed apps provide image generation functionality", "Text processing" : "Text processing", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task.", + "Task:" : "Task:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "None of your currently installed apps provide text processing functionality using the Text Processing API.", "Here you can decide which group can access certain sections of the administration settings." : "Here you can decide which group can access certain sections of the administration settings.", "Unable to modify setting" : "Unable to modify setting", @@ -416,6 +418,10 @@ "Excluded groups" : "Excluded groups", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced.", "Save changes" : "Save changes", + "Default" : "Default", + "Registered Deploy daemons list" : "Registered Deploy daemons list", + "No Deploy daemons configured" : "No Deploy daemons configured", + "Register a custom one or setup from available templates" : "Register a custom one or setup from available templates", "Show details for {appName} app" : "Show details for {appName} app", "Update to {update}" : "Update to {update}", "Remove" : "Remove", diff --git a/apps/settings/l10n/es.js b/apps/settings/l10n/es.js index 1e6d3d36944..5e8c5938a8c 100644 --- a/apps/settings/l10n/es.js +++ b/apps/settings/l10n/es.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "Administración", "Users" : "Usuarios", "Additional settings" : "Configuración adicional", - "Artificial Intelligence" : "Inteligencia Artificial", + "Assistant" : "Asistente", "Administration privileges" : "Privilegios de administración", "Groupware" : "Groupware", "Overview" : "Vista general", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "Calendario", "Personal info" : "Información personal", "Mobile & desktop" : "Móvil y escritorio", + "Artificial Intelligence" : "Inteligencia Artificial", "Email server" : "Servidor de correo electrónico", "Mail Providers" : "Proveedores de email", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "El proveedor de correo permite enviar correos electrónicos directamente a través de la cuenta de correo personal del usuario. En la actualidad, esta funcionalidad se limita a las invitaciones de calendario. Requiere Nextcloud Mail 4.1 y una cuenta de correo electrónico en Nextcloud Mail que coincida con la dirección de correo electrónico del usuario en Nextcloud.", @@ -199,7 +200,7 @@ OC.L10N.register( "This server has no working internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. Establish a connection from this server to the internet to enjoy all features." : "Este servidor no tiene una conexión a Internet que funcione: No se pudieron alcanzar varios endpoints. Esto significa que algunas de las funciones, como montar almacenamiento externo, notificaciones sobre actualizaciones o instalación de aplicaciones de terceros no funcionarán. Es posible que el acceso a archivos de forma remota y el envío de emails de notificación tampoco funcionen. Establezca una conexión desde este servidor a Internet para disfrutar de todas las funciones.", "JavaScript modules support" : "Soporte a módulos JavaScript", "Unable to run check for JavaScript support. Please remedy or confirm manually if your webserver serves `.mjs` files using the JavaScript MIME type." : "No se pudo hacer el chequeo del soporte JavaScript. Por favor remedie el problema, o, confirme manualmente si su servidor web sirve archivos `.mjs` utilizando el tipo MIME JavaScript.", - "Your webserver does not serve `.mjs` files using the JavaScript MIME type. This will break some apps by preventing browsers from executing the JavaScript files. You should configure your webserver to serve `.mjs` files with either the `text/javascript` or `application/javascript` MIME type." : "Su servidor web no sirve archivos `.mjs` utilizando el tipo MIME JavaScript. Esto causará problemas con algunas apps, impidiendo que los navegadores ejecuten los archivos JavaScript. Debe configurar su servidor web para servir archivos `.mjs` bien sea con el tipo MIME `text/javascript`, o, `application/javascript`.", + "Your webserver does not serve `.mjs` files using the JavaScript MIME type. This will break some apps by preventing browsers from executing the JavaScript files. You should configure your webserver to serve `.mjs` files with either the `text/javascript` or `application/javascript` MIME type." : "Su servidor web no sirve archivos `.mjs` utilizando el tipo MIME JavaScript. Esto causará problemas con algunas apps, impidiendo que los navegadores ejecuten los archivos JavaScript. Debe configurar su servidor web para entregar archivos `.mjs` bien sea con el tipo MIME `text/javascript` o `application/javascript`.", "JavaScript source map support" : "Soporte de mapa fuente de JavaScript", "Your webserver is not set up to serve `.js.map` files. Without these files, JavaScript Source Maps won't function properly, making it more challenging to troubleshoot and debug any issues that may arise." : "Su servidor web no está configurado para servir archivos `.js.map`. Sin estos archivos, los mapas de fuente JavaScript no funcionarán apropiadamente, haciendo más difícil la resolución y depuración de problemas que puedan surgir.", "Old server-side-encryption" : "Antiguo cifrado en el servidor", @@ -220,11 +221,11 @@ OC.L10N.register( "Failed to write and read a value from distributed cache." : "Fallo al escribir y leer un valor de la caché distribuida.", "Configured" : "Configurado", "Mimetype migrations available" : "Están disponibles las migraciones del tipo MIME", - "One or more mimetype migrations are available. Occasionally new mimetypes are added to better handle certain file types. Migrating the mimetypes take a long time on larger instances so this is not done automatically during upgrades. Use the command `occ maintenance:repair --include-expensive` to perform the migrations." : "Una o más migraciones del tipo MIME están disponibles. Ocasionalmente, nuevos tipos MIME se añaden para manejar de una manera más adecuada ciertos tipos de archivo. Migrar los tipos MIME puede tomar un tiempo considerable en instancias grandes así que esto no se hace de manera automática durante las actualizaciones. Use el comando `occ maintenance:repair --include-expensive` para realizar las migraciones.", - "MySQL row format" : "Formato de columnas MySQL", + "One or more mimetype migrations are available. Occasionally new mimetypes are added to better handle certain file types. Migrating the mimetypes take a long time on larger instances so this is not done automatically during upgrades. Use the command `occ maintenance:repair --include-expensive` to perform the migrations." : "Una o más migraciones de tipos MIME están disponibles. Normalmente los nuevos tipos MIME se añaden para manejar de una manera más adecuada ciertos tipos de archivo. Migrar los tipos MIME puede tomar un tiempo considerable en instancias grandes así que esto no se hace de manera automática durante las actualizaciones. Use el comando `occ maintenance:repair --include-expensive` para realizar las migraciones.", + "MySQL row format" : "Formato de filas de MySQL", "You are not using MySQL" : "No está usando MySQL", "None of your tables use ROW_FORMAT=Compressed" : "Ninguna de tus tablas usan ROW_FORMAT=Compressed", - "Incorrect row format found in your database. ROW_FORMAT=Dynamic offers the best database performances for Nextcloud. Please update row format on the following list: %s." : "Se ha encontrado un formato de fila incorrecto en tu base de datos. ROW_FORMAT=Dynamic ofrece las mejores prestaciones de base de datos para Nextcloud. Por favor, actualice el formato de fila en la siguiente lista: %s.", + "Incorrect row format found in your database. ROW_FORMAT=Dynamic offers the best database performances for Nextcloud. Please update row format on the following list: %s." : "Se ha encontrado un formato de fila incorrecto en tu base de datos. ROW_FORMAT=Dynamic ofrece el mejor rendimiento de base de datos para Nextcloud. Actualice el formato de fila de las tablas de la siguiente lista: %s.", "MySQL Unicode support" : "Soporte Unicode de MySQL", "MySQL is used as database and does support 4-byte characters" : "MySQL se está utilizando como base de datos y soportar caracteres de 4 bytes", "MySQL is used as database but does not support 4-byte characters. To be able to handle 4-byte characters (like emojis) without issues in filenames or comments for example it is recommended to enable the 4-byte support in MySQL." : "MySQL se está utilizando como base de datos pero no soporta caracteres de 4 bytes. Para que a esta le sea posible manejar caracteres de 4 bytes (como los emojis) sin problemas en los nombres de archivo o comentarios , por ejemplo, se recomienda habilitar el soporte de 4 bytes en MySQL.", @@ -344,7 +345,7 @@ OC.L10N.register( "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:", + "Provider for Task types" : "Proveedor para los tipos de Tareas", "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", "Machine translation" : "Traducción de máquina", @@ -354,6 +355,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Ninguna de las aplicaciones instaladas provee funcionalidad de generación de imágenes", "Text processing" : "Procesamiento de texto", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Las tareas de procesamiento de texto pueden estar implementadas por diferentes apps. Aquí puede definir cual app debe utilizarse para cada tarea.", + "Task:" : "Tarea:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Ninguna de las aplicaciones que tiene actualmente instaladas proveen la funcionalidad de procesamiento de texto usando la API de Text Processing.", "Here you can decide which group can access certain sections of the administration settings." : "Aquí puede decidir qué grupo puede acceder a determinadas secciones de la configuración de administración.", "Unable to modify setting" : "No se ha podido modificar la configuración", @@ -418,6 +420,10 @@ OC.L10N.register( "Excluded groups" : "Grupos excluidos", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Cuando los grupos se seleccionan/excluyen, usan la siguiente lógica para determinar si ua cuenta tiene obligada la 2FA: si no hay grupos seleccionados, 2FA está activa para todos excepto los miembros de los grupos excluidos. Si hay grupos seleccionados, 2FA está activa para todos los miembros de estos. Si una cuenta está a la vez en un grupo seleccionado y otro excluido, el seleccionado tiene preferencia y se obliga la 2FA.", "Save changes" : "Guardar cambios", + "Default" : "Predeterminado", + "Registered Deploy daemons list" : "Lista de daemons de despliegue registrados", + "No Deploy daemons configured" : "No hay daemons de despliegue configurados", + "Register a custom one or setup from available templates" : "Registre uno personalizado, o, configure desde las plantillas disponibles", "Show details for {appName} app" : "Mostrar detalles para la app {appName}", "Update to {update}" : "Actualizar a {update}", "Remove" : "Eliminar", @@ -619,6 +625,7 @@ OC.L10N.register( "Your biography. Markdown is supported." : "Tu biografía. Se admite Markdown.", "Unable to update date of birth" : "No se puede actualizar su fecha de nacimiento", "Enter your date of birth" : "Indica tu fecha de nacimiento", + "Bluesky handle" : "Usuario de Bluesky", "You are using {s}{usage}{/s}" : "Estás usando {s}{usage}{/s}", "You are using {s}{usage}{/s} of {s}{totalSpace}{/s} ({s}{usageRelative}%{/s})" : "Estás usando {s}{usage}{/s} de {s}{totalSpace}{/s} ({s}{usageRelative}%{/s})", "You are a member of the following groups:" : "Eres miembro de los siguientes grupos:", @@ -810,6 +817,7 @@ OC.L10N.register( "Pronouns" : "Pronombre", "Role" : "Cargo", "X (formerly Twitter)" : "X (anteriormente Twitter)", + "Bluesky" : "Bluesky", "Website" : "Sitio web", "Profile visibility" : "Visibilidad del perfil", "Locale" : "Región", diff --git a/apps/settings/l10n/es.json b/apps/settings/l10n/es.json index f3e25012a17..d79ca75b6d6 100644 --- a/apps/settings/l10n/es.json +++ b/apps/settings/l10n/es.json @@ -108,7 +108,7 @@ "Administration" : "Administración", "Users" : "Usuarios", "Additional settings" : "Configuración adicional", - "Artificial Intelligence" : "Inteligencia Artificial", + "Assistant" : "Asistente", "Administration privileges" : "Privilegios de administración", "Groupware" : "Groupware", "Overview" : "Vista general", @@ -118,6 +118,7 @@ "Calendar" : "Calendario", "Personal info" : "Información personal", "Mobile & desktop" : "Móvil y escritorio", + "Artificial Intelligence" : "Inteligencia Artificial", "Email server" : "Servidor de correo electrónico", "Mail Providers" : "Proveedores de email", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "El proveedor de correo permite enviar correos electrónicos directamente a través de la cuenta de correo personal del usuario. En la actualidad, esta funcionalidad se limita a las invitaciones de calendario. Requiere Nextcloud Mail 4.1 y una cuenta de correo electrónico en Nextcloud Mail que coincida con la dirección de correo electrónico del usuario en Nextcloud.", @@ -197,7 +198,7 @@ "This server has no working internet connection: Multiple endpoints could not be reached. This means that some of the features like mounting external storage, notifications about updates or installation of third-party apps will not work. Accessing files remotely and sending of notification emails might not work, either. Establish a connection from this server to the internet to enjoy all features." : "Este servidor no tiene una conexión a Internet que funcione: No se pudieron alcanzar varios endpoints. Esto significa que algunas de las funciones, como montar almacenamiento externo, notificaciones sobre actualizaciones o instalación de aplicaciones de terceros no funcionarán. Es posible que el acceso a archivos de forma remota y el envío de emails de notificación tampoco funcionen. Establezca una conexión desde este servidor a Internet para disfrutar de todas las funciones.", "JavaScript modules support" : "Soporte a módulos JavaScript", "Unable to run check for JavaScript support. Please remedy or confirm manually if your webserver serves `.mjs` files using the JavaScript MIME type." : "No se pudo hacer el chequeo del soporte JavaScript. Por favor remedie el problema, o, confirme manualmente si su servidor web sirve archivos `.mjs` utilizando el tipo MIME JavaScript.", - "Your webserver does not serve `.mjs` files using the JavaScript MIME type. This will break some apps by preventing browsers from executing the JavaScript files. You should configure your webserver to serve `.mjs` files with either the `text/javascript` or `application/javascript` MIME type." : "Su servidor web no sirve archivos `.mjs` utilizando el tipo MIME JavaScript. Esto causará problemas con algunas apps, impidiendo que los navegadores ejecuten los archivos JavaScript. Debe configurar su servidor web para servir archivos `.mjs` bien sea con el tipo MIME `text/javascript`, o, `application/javascript`.", + "Your webserver does not serve `.mjs` files using the JavaScript MIME type. This will break some apps by preventing browsers from executing the JavaScript files. You should configure your webserver to serve `.mjs` files with either the `text/javascript` or `application/javascript` MIME type." : "Su servidor web no sirve archivos `.mjs` utilizando el tipo MIME JavaScript. Esto causará problemas con algunas apps, impidiendo que los navegadores ejecuten los archivos JavaScript. Debe configurar su servidor web para entregar archivos `.mjs` bien sea con el tipo MIME `text/javascript` o `application/javascript`.", "JavaScript source map support" : "Soporte de mapa fuente de JavaScript", "Your webserver is not set up to serve `.js.map` files. Without these files, JavaScript Source Maps won't function properly, making it more challenging to troubleshoot and debug any issues that may arise." : "Su servidor web no está configurado para servir archivos `.js.map`. Sin estos archivos, los mapas de fuente JavaScript no funcionarán apropiadamente, haciendo más difícil la resolución y depuración de problemas que puedan surgir.", "Old server-side-encryption" : "Antiguo cifrado en el servidor", @@ -218,11 +219,11 @@ "Failed to write and read a value from distributed cache." : "Fallo al escribir y leer un valor de la caché distribuida.", "Configured" : "Configurado", "Mimetype migrations available" : "Están disponibles las migraciones del tipo MIME", - "One or more mimetype migrations are available. Occasionally new mimetypes are added to better handle certain file types. Migrating the mimetypes take a long time on larger instances so this is not done automatically during upgrades. Use the command `occ maintenance:repair --include-expensive` to perform the migrations." : "Una o más migraciones del tipo MIME están disponibles. Ocasionalmente, nuevos tipos MIME se añaden para manejar de una manera más adecuada ciertos tipos de archivo. Migrar los tipos MIME puede tomar un tiempo considerable en instancias grandes así que esto no se hace de manera automática durante las actualizaciones. Use el comando `occ maintenance:repair --include-expensive` para realizar las migraciones.", - "MySQL row format" : "Formato de columnas MySQL", + "One or more mimetype migrations are available. Occasionally new mimetypes are added to better handle certain file types. Migrating the mimetypes take a long time on larger instances so this is not done automatically during upgrades. Use the command `occ maintenance:repair --include-expensive` to perform the migrations." : "Una o más migraciones de tipos MIME están disponibles. Normalmente los nuevos tipos MIME se añaden para manejar de una manera más adecuada ciertos tipos de archivo. Migrar los tipos MIME puede tomar un tiempo considerable en instancias grandes así que esto no se hace de manera automática durante las actualizaciones. Use el comando `occ maintenance:repair --include-expensive` para realizar las migraciones.", + "MySQL row format" : "Formato de filas de MySQL", "You are not using MySQL" : "No está usando MySQL", "None of your tables use ROW_FORMAT=Compressed" : "Ninguna de tus tablas usan ROW_FORMAT=Compressed", - "Incorrect row format found in your database. ROW_FORMAT=Dynamic offers the best database performances for Nextcloud. Please update row format on the following list: %s." : "Se ha encontrado un formato de fila incorrecto en tu base de datos. ROW_FORMAT=Dynamic ofrece las mejores prestaciones de base de datos para Nextcloud. Por favor, actualice el formato de fila en la siguiente lista: %s.", + "Incorrect row format found in your database. ROW_FORMAT=Dynamic offers the best database performances for Nextcloud. Please update row format on the following list: %s." : "Se ha encontrado un formato de fila incorrecto en tu base de datos. ROW_FORMAT=Dynamic ofrece el mejor rendimiento de base de datos para Nextcloud. Actualice el formato de fila de las tablas de la siguiente lista: %s.", "MySQL Unicode support" : "Soporte Unicode de MySQL", "MySQL is used as database and does support 4-byte characters" : "MySQL se está utilizando como base de datos y soportar caracteres de 4 bytes", "MySQL is used as database but does not support 4-byte characters. To be able to handle 4-byte characters (like emojis) without issues in filenames or comments for example it is recommended to enable the 4-byte support in MySQL." : "MySQL se está utilizando como base de datos pero no soporta caracteres de 4 bytes. Para que a esta le sea posible manejar caracteres de 4 bytes (como los emojis) sin problemas en los nombres de archivo o comentarios , por ejemplo, se recomienda habilitar el soporte de 4 bytes en MySQL.", @@ -342,7 +343,7 @@ "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:", + "Provider for Task types" : "Proveedor para los tipos de Tareas", "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", "Machine translation" : "Traducción de máquina", @@ -352,6 +353,7 @@ "None of your currently installed apps provide image generation functionality" : "Ninguna de las aplicaciones instaladas provee funcionalidad de generación de imágenes", "Text processing" : "Procesamiento de texto", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Las tareas de procesamiento de texto pueden estar implementadas por diferentes apps. Aquí puede definir cual app debe utilizarse para cada tarea.", + "Task:" : "Tarea:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Ninguna de las aplicaciones que tiene actualmente instaladas proveen la funcionalidad de procesamiento de texto usando la API de Text Processing.", "Here you can decide which group can access certain sections of the administration settings." : "Aquí puede decidir qué grupo puede acceder a determinadas secciones de la configuración de administración.", "Unable to modify setting" : "No se ha podido modificar la configuración", @@ -416,6 +418,10 @@ "Excluded groups" : "Grupos excluidos", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Cuando los grupos se seleccionan/excluyen, usan la siguiente lógica para determinar si ua cuenta tiene obligada la 2FA: si no hay grupos seleccionados, 2FA está activa para todos excepto los miembros de los grupos excluidos. Si hay grupos seleccionados, 2FA está activa para todos los miembros de estos. Si una cuenta está a la vez en un grupo seleccionado y otro excluido, el seleccionado tiene preferencia y se obliga la 2FA.", "Save changes" : "Guardar cambios", + "Default" : "Predeterminado", + "Registered Deploy daemons list" : "Lista de daemons de despliegue registrados", + "No Deploy daemons configured" : "No hay daemons de despliegue configurados", + "Register a custom one or setup from available templates" : "Registre uno personalizado, o, configure desde las plantillas disponibles", "Show details for {appName} app" : "Mostrar detalles para la app {appName}", "Update to {update}" : "Actualizar a {update}", "Remove" : "Eliminar", @@ -617,6 +623,7 @@ "Your biography. Markdown is supported." : "Tu biografía. Se admite Markdown.", "Unable to update date of birth" : "No se puede actualizar su fecha de nacimiento", "Enter your date of birth" : "Indica tu fecha de nacimiento", + "Bluesky handle" : "Usuario de Bluesky", "You are using {s}{usage}{/s}" : "Estás usando {s}{usage}{/s}", "You are using {s}{usage}{/s} of {s}{totalSpace}{/s} ({s}{usageRelative}%{/s})" : "Estás usando {s}{usage}{/s} de {s}{totalSpace}{/s} ({s}{usageRelative}%{/s})", "You are a member of the following groups:" : "Eres miembro de los siguientes grupos:", @@ -808,6 +815,7 @@ "Pronouns" : "Pronombre", "Role" : "Cargo", "X (formerly Twitter)" : "X (anteriormente Twitter)", + "Bluesky" : "Bluesky", "Website" : "Sitio web", "Profile visibility" : "Visibilidad del perfil", "Locale" : "Región", diff --git a/apps/settings/l10n/es_AR.js b/apps/settings/l10n/es_AR.js index 0e943d4c93a..cd39598a61d 100644 --- a/apps/settings/l10n/es_AR.js +++ b/apps/settings/l10n/es_AR.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "Administración", "Users" : "Usuarios", "Additional settings" : "Configuraciones adicionales", - "Artificial Intelligence" : "Inteligencia artificial", + "Assistant" : "Asistente", "Administration privileges" : "Privilegios de administración", "Groupware" : "Software colaborativo", "Overview" : "Visión general", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "Calendario", "Personal info" : "Información personal", "Mobile & desktop" : "Móvil & escritorio", + "Artificial Intelligence" : "Inteligencia artificial", "Email server" : "Servidor de correo electrónico", "Mail Providers" : "Proveedores de correo electrónico", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "El proveedor de correo electrónico permite enviar correos electrónicos directamente a través de la cuenta de correo personal del usuario. En la actualidad, esta funcionalidad se limita a las invitaciones de calendario. Requiere Nextcloud Mail 4.1 y una cuenta de correo electrónico en Nextcloud Mail que coincida con la dirección de correo electrónico del usuario en Nextcloud.", diff --git a/apps/settings/l10n/es_AR.json b/apps/settings/l10n/es_AR.json index f3414c56291..7710e5a5e54 100644 --- a/apps/settings/l10n/es_AR.json +++ b/apps/settings/l10n/es_AR.json @@ -108,7 +108,7 @@ "Administration" : "Administración", "Users" : "Usuarios", "Additional settings" : "Configuraciones adicionales", - "Artificial Intelligence" : "Inteligencia artificial", + "Assistant" : "Asistente", "Administration privileges" : "Privilegios de administración", "Groupware" : "Software colaborativo", "Overview" : "Visión general", @@ -118,6 +118,7 @@ "Calendar" : "Calendario", "Personal info" : "Información personal", "Mobile & desktop" : "Móvil & escritorio", + "Artificial Intelligence" : "Inteligencia artificial", "Email server" : "Servidor de correo electrónico", "Mail Providers" : "Proveedores de correo electrónico", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "El proveedor de correo electrónico permite enviar correos electrónicos directamente a través de la cuenta de correo personal del usuario. En la actualidad, esta funcionalidad se limita a las invitaciones de calendario. Requiere Nextcloud Mail 4.1 y una cuenta de correo electrónico en Nextcloud Mail que coincida con la dirección de correo electrónico del usuario en Nextcloud.", diff --git a/apps/settings/l10n/es_CL.js b/apps/settings/l10n/es_CL.js index bfc26abab6c..19d66487933 100644 --- a/apps/settings/l10n/es_CL.js +++ b/apps/settings/l10n/es_CL.js @@ -68,6 +68,7 @@ OC.L10N.register( "Administration" : "Administración", "Users" : "Ususarios", "Additional settings" : "Configuraciones adicionales", + "Assistant" : "Asistente", "Overview" : "Generalidades", "Basic settings" : "Configuraciones básicas", "Sharing" : "Compartiendo", diff --git a/apps/settings/l10n/es_CL.json b/apps/settings/l10n/es_CL.json index c8b89dcaa93..07f929fb262 100644 --- a/apps/settings/l10n/es_CL.json +++ b/apps/settings/l10n/es_CL.json @@ -66,6 +66,7 @@ "Administration" : "Administración", "Users" : "Ususarios", "Additional settings" : "Configuraciones adicionales", + "Assistant" : "Asistente", "Overview" : "Generalidades", "Basic settings" : "Configuraciones básicas", "Sharing" : "Compartiendo", diff --git a/apps/settings/l10n/es_CO.js b/apps/settings/l10n/es_CO.js index 948758f5c7d..7d94cf7bf09 100644 --- a/apps/settings/l10n/es_CO.js +++ b/apps/settings/l10n/es_CO.js @@ -68,6 +68,7 @@ OC.L10N.register( "Administration" : "Administración", "Users" : "Usuarios", "Additional settings" : "Configuraciones adicionales", + "Assistant" : "Asistente", "Overview" : "Generalidades", "Basic settings" : "Configuraciones básicas", "Sharing" : "Compartiendo", diff --git a/apps/settings/l10n/es_CO.json b/apps/settings/l10n/es_CO.json index ba1d4f8a654..fc651edaab4 100644 --- a/apps/settings/l10n/es_CO.json +++ b/apps/settings/l10n/es_CO.json @@ -66,6 +66,7 @@ "Administration" : "Administración", "Users" : "Usuarios", "Additional settings" : "Configuraciones adicionales", + "Assistant" : "Asistente", "Overview" : "Generalidades", "Basic settings" : "Configuraciones básicas", "Sharing" : "Compartiendo", diff --git a/apps/settings/l10n/es_MX.js b/apps/settings/l10n/es_MX.js index 06b96ad4ac6..675b42c73d7 100644 --- a/apps/settings/l10n/es_MX.js +++ b/apps/settings/l10n/es_MX.js @@ -109,7 +109,7 @@ OC.L10N.register( "Administration" : "Administración", "Users" : " Usuarios", "Additional settings" : "Configuraciones adicionales", - "Artificial Intelligence" : "Inteligencia artificial", + "Assistant" : "Asistente", "Administration privileges" : "Privilegios de administración", "Groupware" : "Software colaborativo", "Overview" : "Generalidades", @@ -119,6 +119,7 @@ OC.L10N.register( "Calendar" : "Calendario", "Personal info" : "Información Personal", "Mobile & desktop" : "Móvil & escritorio", + "Artificial Intelligence" : "Inteligencia artificial", "Email server" : "Servidor de correo electrónico", "Mail Providers" : "Proveedores de correo electrónico", "Send emails using" : "Enviar correos electrónicos usando", @@ -268,7 +269,6 @@ OC.L10N.register( "Profile information" : "Información del perfil", "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Foto de perfil, nombre completo, correo electrónico, número de teléfono, dirección, sitio web, Twitter, organización, cargo, titular, biografía y si su perfil está habilitado", "Nextcloud settings" : "Configuración de Nextcloud", - "Task:" : "Tarea:", "Enable" : "Habilitar", "Machine translation" : "Traducción de máquina", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "La traducción automática puede estar implementada por diferentes aplicaciones. Aquí puede definir la prioridad de las aplicaciones de traducción automática que ha instalado al momento.", @@ -277,6 +277,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Ninguna de sus aplicaciones instaladas proveen la funcionalidad de generación de imágenes", "Text processing" : "Procesamiento de texto", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Las tareas de procesamiento de texto pueden estar implementadas por diferentes aplicaciones. Aquí puede definir cual aplicación debe utilizarse para cada tarea.", + "Task:" : "Tarea:", "Here you can decide which group can access certain sections of the administration settings." : "Aquí puede decidir qué grupo puede acceder a determinadas secciones de la configuración de administración.", "Unable to modify setting" : "No se pudo modificar la configuración", "None" : "Ninguno", @@ -327,6 +328,7 @@ OC.L10N.register( "Two-factor authentication is not enforced for members of the following groups." : "La autentificación de dos factores no se impone a los miembros de los siguientes grupos.", "Excluded groups" : "Grupos excluidos", "Save changes" : "Guardar cambios", + "Default" : "Por omisión", "Show details for {appName} app" : "Mostrar detalles para la aplicación {appName}", "Update to {update}" : "Actualizar a {update}", "Remove" : "Eliminar", diff --git a/apps/settings/l10n/es_MX.json b/apps/settings/l10n/es_MX.json index fe651a9100a..88bc4e5923a 100644 --- a/apps/settings/l10n/es_MX.json +++ b/apps/settings/l10n/es_MX.json @@ -107,7 +107,7 @@ "Administration" : "Administración", "Users" : " Usuarios", "Additional settings" : "Configuraciones adicionales", - "Artificial Intelligence" : "Inteligencia artificial", + "Assistant" : "Asistente", "Administration privileges" : "Privilegios de administración", "Groupware" : "Software colaborativo", "Overview" : "Generalidades", @@ -117,6 +117,7 @@ "Calendar" : "Calendario", "Personal info" : "Información Personal", "Mobile & desktop" : "Móvil & escritorio", + "Artificial Intelligence" : "Inteligencia artificial", "Email server" : "Servidor de correo electrónico", "Mail Providers" : "Proveedores de correo electrónico", "Send emails using" : "Enviar correos electrónicos usando", @@ -266,7 +267,6 @@ "Profile information" : "Información del perfil", "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Foto de perfil, nombre completo, correo electrónico, número de teléfono, dirección, sitio web, Twitter, organización, cargo, titular, biografía y si su perfil está habilitado", "Nextcloud settings" : "Configuración de Nextcloud", - "Task:" : "Tarea:", "Enable" : "Habilitar", "Machine translation" : "Traducción de máquina", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "La traducción automática puede estar implementada por diferentes aplicaciones. Aquí puede definir la prioridad de las aplicaciones de traducción automática que ha instalado al momento.", @@ -275,6 +275,7 @@ "None of your currently installed apps provide image generation functionality" : "Ninguna de sus aplicaciones instaladas proveen la funcionalidad de generación de imágenes", "Text processing" : "Procesamiento de texto", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Las tareas de procesamiento de texto pueden estar implementadas por diferentes aplicaciones. Aquí puede definir cual aplicación debe utilizarse para cada tarea.", + "Task:" : "Tarea:", "Here you can decide which group can access certain sections of the administration settings." : "Aquí puede decidir qué grupo puede acceder a determinadas secciones de la configuración de administración.", "Unable to modify setting" : "No se pudo modificar la configuración", "None" : "Ninguno", @@ -325,6 +326,7 @@ "Two-factor authentication is not enforced for members of the following groups." : "La autentificación de dos factores no se impone a los miembros de los siguientes grupos.", "Excluded groups" : "Grupos excluidos", "Save changes" : "Guardar cambios", + "Default" : "Por omisión", "Show details for {appName} app" : "Mostrar detalles para la aplicación {appName}", "Update to {update}" : "Actualizar a {update}", "Remove" : "Eliminar", diff --git a/apps/settings/l10n/et_EE.js b/apps/settings/l10n/et_EE.js index 20b539dfa9a..0b088f85c9b 100644 --- a/apps/settings/l10n/et_EE.js +++ b/apps/settings/l10n/et_EE.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "Haldus", "Users" : "Kasutajad", "Additional settings" : "Lisaseaded", - "Artificial Intelligence" : "Tehisintellekt", + "Assistant" : "Abiline", "Administration privileges" : "Peakasutaja õigused", "Groupware" : "Grupitöö", "Overview" : "Ülevaade", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "Kalender", "Personal info" : "Isiklik info", "Mobile & desktop" : "Mobiil ja töölaud", + "Artificial Intelligence" : "Tehisintellekt", "Email server" : "E-kirjade server", "Mail Providers" : "E-posti teenusepakkujad", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Lisaks järgnevale üldisele valikule on võimalik ka isikliku e-postiikonto kasutamine. Hetkel toimib see võimalus vaid Nextcloudi kalendrikutsete puhul ning eelduseks on Nextcloud Mail 4.1 või suurem ning seal seadistatud e-postikonto vastab kasutaja e-postiaadressile Nextcloudi profiilis.", @@ -217,11 +218,11 @@ OC.L10N.register( "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Profiilipilt, täisnimi, e-posti aadress, telefoninumber, aadress, veebisait, Twitteri konto, organisatsioon, roll, alapealkiri, elulugu ja asjaolu, kas sinu profiil on kasutusel.", "Nextcloud settings" : "Nextcloudi seadistused", "Allow AI usage for guest users" : "Luba külaliskasutajatel kasutada tehiasru", - "Task:" : "Ülesanded:", "Enable" : "Lülita sisse", "Machine translation" : "Masintõlge", "Image generation" : "Pildiloome", "Text processing" : "Tekstitöötlus", + "Task:" : "Ülesanded:", "Here you can decide which group can access certain sections of the administration settings." : "Siinkohal saad sa otsustada mis gruppidel on ligipääs valitud haldusseadistustele.", "Unable to modify setting" : "Seadistuse muutmine ei õnnestu", "None" : "Pole", @@ -278,6 +279,7 @@ OC.L10N.register( "Two-factor authentication is not enforced for members of the following groups." : "Kaheastmeline autentimine pole kohustuslik nende gruppide liikmetele.", "Excluded groups" : "Välistatud neis gruppides", "Save changes" : "Salvesta muudatused", + "Default" : "Vaikimisi", "Show details for {appName} app" : "Näita „{appName}“ rakenduse üksikasju", "Update to {update}" : "Uuenda versioonini {update}", "Remove" : "Eemalda", diff --git a/apps/settings/l10n/et_EE.json b/apps/settings/l10n/et_EE.json index 35c365cb068..f4bba17b90b 100644 --- a/apps/settings/l10n/et_EE.json +++ b/apps/settings/l10n/et_EE.json @@ -108,7 +108,7 @@ "Administration" : "Haldus", "Users" : "Kasutajad", "Additional settings" : "Lisaseaded", - "Artificial Intelligence" : "Tehisintellekt", + "Assistant" : "Abiline", "Administration privileges" : "Peakasutaja õigused", "Groupware" : "Grupitöö", "Overview" : "Ülevaade", @@ -118,6 +118,7 @@ "Calendar" : "Kalender", "Personal info" : "Isiklik info", "Mobile & desktop" : "Mobiil ja töölaud", + "Artificial Intelligence" : "Tehisintellekt", "Email server" : "E-kirjade server", "Mail Providers" : "E-posti teenusepakkujad", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Lisaks järgnevale üldisele valikule on võimalik ka isikliku e-postiikonto kasutamine. Hetkel toimib see võimalus vaid Nextcloudi kalendrikutsete puhul ning eelduseks on Nextcloud Mail 4.1 või suurem ning seal seadistatud e-postikonto vastab kasutaja e-postiaadressile Nextcloudi profiilis.", @@ -215,11 +216,11 @@ "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Profiilipilt, täisnimi, e-posti aadress, telefoninumber, aadress, veebisait, Twitteri konto, organisatsioon, roll, alapealkiri, elulugu ja asjaolu, kas sinu profiil on kasutusel.", "Nextcloud settings" : "Nextcloudi seadistused", "Allow AI usage for guest users" : "Luba külaliskasutajatel kasutada tehiasru", - "Task:" : "Ülesanded:", "Enable" : "Lülita sisse", "Machine translation" : "Masintõlge", "Image generation" : "Pildiloome", "Text processing" : "Tekstitöötlus", + "Task:" : "Ülesanded:", "Here you can decide which group can access certain sections of the administration settings." : "Siinkohal saad sa otsustada mis gruppidel on ligipääs valitud haldusseadistustele.", "Unable to modify setting" : "Seadistuse muutmine ei õnnestu", "None" : "Pole", @@ -276,6 +277,7 @@ "Two-factor authentication is not enforced for members of the following groups." : "Kaheastmeline autentimine pole kohustuslik nende gruppide liikmetele.", "Excluded groups" : "Välistatud neis gruppides", "Save changes" : "Salvesta muudatused", + "Default" : "Vaikimisi", "Show details for {appName} app" : "Näita „{appName}“ rakenduse üksikasju", "Update to {update}" : "Uuenda versioonini {update}", "Remove" : "Eemalda", diff --git a/apps/settings/l10n/eu.js b/apps/settings/l10n/eu.js index 0e8bc888688..6d73738fbe2 100644 --- a/apps/settings/l10n/eu.js +++ b/apps/settings/l10n/eu.js @@ -109,7 +109,7 @@ OC.L10N.register( "Administration" : "Administrazioa", "Users" : "Erabiltzaileak", "Additional settings" : "Ezarpen gehiago", - "Artificial Intelligence" : "Adimen artifiziala", + "Assistant" : "Morroia", "Administration privileges" : "Administrazio pribilegioak", "Groupware" : "Taldelanerako tresnak", "Overview" : "Ikuspegi orokorra", @@ -119,6 +119,7 @@ OC.L10N.register( "Calendar" : "Egutegia", "Personal info" : "Informazio pertsonala", "Mobile & desktop" : "Mugikorra eta mahaigaina", + "Artificial Intelligence" : "Adimen artifiziala", "Email server" : "E-posta zerbitzaria", "Mail Providers" : "Posta hornitzaileak", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Posta hornitzaileak posta elektronikoak zuzenean bidaltzen ditu erabiltzailearen posta elektronikoko kontu pertsonalaren bidez. Gaur egun, funtzio hori egutegiko gonbidapenetara mugatzen da. Nextcloud Mail 4.1 behar du, eta Nextcloud Mail posta elektronikoko kontu bat, erabiltzailearen helbide elektronikoarekin bat datorrena Nextclouden.", @@ -329,7 +330,6 @@ OC.L10N.register( "Nextcloud settings" : "Nextcloud ezarpenak", "Unified task processing" : "Zereginen prozesamendu bateratua", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "AI zereginak aplikazio ezberdinek inplementa ditzakete. Hemen zein aplikazio zein zereginetarako erabili behar den ezar dezakezu.", - "Task:" : "Zeregina:", "Enable" : "Gaitu", "None of your currently installed apps provide Task processing functionality" : "Une honetan instalatutako aplikazioetako batek ere ez du Zereginak prozesatzeko funtzionaltasunik eskaintzen", "Machine translation" : "Makina-itzulpena", @@ -339,6 +339,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Ez dago irudien sorpenerako funtzionalitatea ematen duen aplikaziorik unean.", "Text processing" : "Testu-prozesamendua", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Testu-prozesamendu zereginak aplikazio ezberdinek inplementatu dezakete. Zeintzuk aplikazio erabili daitezkeen zein zereginerako ezarri dezakezu hemen.", + "Task:" : "Zeregina:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Unean instalatuta dauden aplikazioek ez dute testu-prozesamenduko APIa erabiltzen.", "Here you can decide which group can access certain sections of the administration settings." : "Hemen administratzaile ezarpeneko hainbat sekziotan sartu daitezkeen taldeak erabaki ditzakezu.", "Unable to modify setting" : "Ezin izan da ezarpena aldatu", @@ -395,6 +396,7 @@ OC.L10N.register( "Excluded groups" : "Baztertu taldeak", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Taldeak aukeratuta daudenean hauxe erabiltzen da kontuentzat bi faktoreko autentikazioa derrigortu ala ez erabakitzeko: talderik ez badago aukeratuta, guztientzat dago derrigortuta kanpoan utzitako taldeetako kideentzat ezik. Taldeak aukeratuta badaude, beren kideentzat derrigortzen da. Kontu bat aukeratutako eta kanpoan utzitako talde bateko kide bada, aukeratutako taldekoa izatea lehenesten da eta bi faktoreko autentikazioa erabiltzera derrigortzen da.", "Save changes" : "Gorde aldaketak", + "Default" : "Lehenetsia", "Show details for {appName} app" : "Erakutsi {appName} aplikazioaren xehetasunak", "Update to {update}" : "Eguneratu {update} bertsiora", "Remove" : "Ezabatu", diff --git a/apps/settings/l10n/eu.json b/apps/settings/l10n/eu.json index 591540b081e..61b434e81af 100644 --- a/apps/settings/l10n/eu.json +++ b/apps/settings/l10n/eu.json @@ -107,7 +107,7 @@ "Administration" : "Administrazioa", "Users" : "Erabiltzaileak", "Additional settings" : "Ezarpen gehiago", - "Artificial Intelligence" : "Adimen artifiziala", + "Assistant" : "Morroia", "Administration privileges" : "Administrazio pribilegioak", "Groupware" : "Taldelanerako tresnak", "Overview" : "Ikuspegi orokorra", @@ -117,6 +117,7 @@ "Calendar" : "Egutegia", "Personal info" : "Informazio pertsonala", "Mobile & desktop" : "Mugikorra eta mahaigaina", + "Artificial Intelligence" : "Adimen artifiziala", "Email server" : "E-posta zerbitzaria", "Mail Providers" : "Posta hornitzaileak", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Posta hornitzaileak posta elektronikoak zuzenean bidaltzen ditu erabiltzailearen posta elektronikoko kontu pertsonalaren bidez. Gaur egun, funtzio hori egutegiko gonbidapenetara mugatzen da. Nextcloud Mail 4.1 behar du, eta Nextcloud Mail posta elektronikoko kontu bat, erabiltzailearen helbide elektronikoarekin bat datorrena Nextclouden.", @@ -327,7 +328,6 @@ "Nextcloud settings" : "Nextcloud ezarpenak", "Unified task processing" : "Zereginen prozesamendu bateratua", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "AI zereginak aplikazio ezberdinek inplementa ditzakete. Hemen zein aplikazio zein zereginetarako erabili behar den ezar dezakezu.", - "Task:" : "Zeregina:", "Enable" : "Gaitu", "None of your currently installed apps provide Task processing functionality" : "Une honetan instalatutako aplikazioetako batek ere ez du Zereginak prozesatzeko funtzionaltasunik eskaintzen", "Machine translation" : "Makina-itzulpena", @@ -337,6 +337,7 @@ "None of your currently installed apps provide image generation functionality" : "Ez dago irudien sorpenerako funtzionalitatea ematen duen aplikaziorik unean.", "Text processing" : "Testu-prozesamendua", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Testu-prozesamendu zereginak aplikazio ezberdinek inplementatu dezakete. Zeintzuk aplikazio erabili daitezkeen zein zereginerako ezarri dezakezu hemen.", + "Task:" : "Zeregina:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Unean instalatuta dauden aplikazioek ez dute testu-prozesamenduko APIa erabiltzen.", "Here you can decide which group can access certain sections of the administration settings." : "Hemen administratzaile ezarpeneko hainbat sekziotan sartu daitezkeen taldeak erabaki ditzakezu.", "Unable to modify setting" : "Ezin izan da ezarpena aldatu", @@ -393,6 +394,7 @@ "Excluded groups" : "Baztertu taldeak", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Taldeak aukeratuta daudenean hauxe erabiltzen da kontuentzat bi faktoreko autentikazioa derrigortu ala ez erabakitzeko: talderik ez badago aukeratuta, guztientzat dago derrigortuta kanpoan utzitako taldeetako kideentzat ezik. Taldeak aukeratuta badaude, beren kideentzat derrigortzen da. Kontu bat aukeratutako eta kanpoan utzitako talde bateko kide bada, aukeratutako taldekoa izatea lehenesten da eta bi faktoreko autentikazioa erabiltzera derrigortzen da.", "Save changes" : "Gorde aldaketak", + "Default" : "Lehenetsia", "Show details for {appName} app" : "Erakutsi {appName} aplikazioaren xehetasunak", "Update to {update}" : "Eguneratu {update} bertsiora", "Remove" : "Ezabatu", diff --git a/apps/settings/l10n/fa.js b/apps/settings/l10n/fa.js index e0d0527944d..cdd90bb2049 100644 --- a/apps/settings/l10n/fa.js +++ b/apps/settings/l10n/fa.js @@ -102,7 +102,6 @@ OC.L10N.register( "Administration" : "مدیریت", "Users" : "کاربران", "Additional settings" : "تنظیمات اضافی", - "Artificial Intelligence" : "هوش مصنوعی", "Administration privileges" : "اجازههای مدیریتی", "Groupware" : "کار گروهی", "Overview" : "نمای کلّی", @@ -112,6 +111,7 @@ OC.L10N.register( "Calendar" : "تقویم", "Personal info" : "اطّلاعات شخصی", "Mobile & desktop" : "همراه و میزکار", + "Artificial Intelligence" : "هوش مصنوعی", "Email server" : "سرور ایمیل", "Background jobs" : "کارهای پسزمینه", "Unlimited" : "نامحدود", @@ -133,13 +133,13 @@ OC.L10N.register( "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel.", "Profile information" : "اطلاعات نمایه", "Nextcloud settings" : "تنظیمات نکست کلود", - "Task:" : "Task:", "Enable" : "فعال", "Machine translation" : "Machine translation", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment.", "Image generation" : "Image generation", "Text processing" : "Text processing", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task.", + "Task:" : "Task:", "Here you can decide which group can access certain sections of the administration settings." : "Here you can decide which group can access certain sections of the administration settings.", "Unable to modify setting" : "Unable to modify setting", "None" : "هیچکدام", @@ -167,6 +167,7 @@ OC.L10N.register( "Two-factor authentication is not enforced for members of the following groups." : "Two-factor authentication is not enforced for members of the following groups.", "Excluded groups" : "گروههای مستثنی", "Save changes" : "ذخیرهٔ تغییرات", + "Default" : "پیشفرض", "Update to {update}" : "بهروز رسانی به {update} ", "Remove" : "برداشتن", "Featured" : "برگزیده", diff --git a/apps/settings/l10n/fa.json b/apps/settings/l10n/fa.json index be5c5d5ae3d..3c0fad6f445 100644 --- a/apps/settings/l10n/fa.json +++ b/apps/settings/l10n/fa.json @@ -100,7 +100,6 @@ "Administration" : "مدیریت", "Users" : "کاربران", "Additional settings" : "تنظیمات اضافی", - "Artificial Intelligence" : "هوش مصنوعی", "Administration privileges" : "اجازههای مدیریتی", "Groupware" : "کار گروهی", "Overview" : "نمای کلّی", @@ -110,6 +109,7 @@ "Calendar" : "تقویم", "Personal info" : "اطّلاعات شخصی", "Mobile & desktop" : "همراه و میزکار", + "Artificial Intelligence" : "هوش مصنوعی", "Email server" : "سرور ایمیل", "Background jobs" : "کارهای پسزمینه", "Unlimited" : "نامحدود", @@ -131,13 +131,13 @@ "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel.", "Profile information" : "اطلاعات نمایه", "Nextcloud settings" : "تنظیمات نکست کلود", - "Task:" : "Task:", "Enable" : "فعال", "Machine translation" : "Machine translation", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment.", "Image generation" : "Image generation", "Text processing" : "Text processing", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task.", + "Task:" : "Task:", "Here you can decide which group can access certain sections of the administration settings." : "Here you can decide which group can access certain sections of the administration settings.", "Unable to modify setting" : "Unable to modify setting", "None" : "هیچکدام", @@ -165,6 +165,7 @@ "Two-factor authentication is not enforced for members of the following groups." : "Two-factor authentication is not enforced for members of the following groups.", "Excluded groups" : "گروههای مستثنی", "Save changes" : "ذخیرهٔ تغییرات", + "Default" : "پیشفرض", "Update to {update}" : "بهروز رسانی به {update} ", "Remove" : "برداشتن", "Featured" : "برگزیده", diff --git a/apps/settings/l10n/fi.js b/apps/settings/l10n/fi.js index b26ce0295e4..f8f5cece53f 100644 --- a/apps/settings/l10n/fi.js +++ b/apps/settings/l10n/fi.js @@ -99,7 +99,7 @@ OC.L10N.register( "Administration" : "Ylläpito", "Users" : "Käyttäjät", "Additional settings" : "Lisäasetukset", - "Artificial Intelligence" : "Tekoäly", + "Assistant" : "Avustaja", "Administration privileges" : "Ylläpitäjän oikeudet", "Groupware" : "Groupware", "Overview" : "Yleiskuvaus", @@ -109,6 +109,7 @@ OC.L10N.register( "Calendar" : "Kalenteri", "Personal info" : "Henkilökohtaiset tiedot", "Mobile & desktop" : "Mobiili ja työpöytä", + "Artificial Intelligence" : "Tekoäly", "Email server" : "Sähköpostipalvelin", "Background jobs" : "Taustatyöt", "Unlimited" : "Rajoittamaton", @@ -153,11 +154,11 @@ OC.L10N.register( ".well-known URLs" : ".well-known-URL-osoitteet", "Profile information" : "Profiilitiedot", "Nextcloud settings" : "Nextcloud-asetukset", - "Task:" : "Tehtävä:", "Enable" : "Käytä", "Machine translation" : "Konekäännös", "Image generation" : "Kuvien generointi", "Text processing" : "Tekstinkäsittely", + "Task:" : "Tehtävä:", "Here you can decide which group can access certain sections of the administration settings." : "Tässä voit päättää, mitkä ryhmät voivat käyttää tiettyja osioita ylläpitäjän asetuksista.", "Unable to modify setting" : "Asetuksen muokkaaminen ei onnistu", "None" : "Ei mitään", @@ -191,6 +192,7 @@ OC.L10N.register( "Two-factor authentication is not enforced for members of the following groups." : "Kaksivaiheisen tunnistautuminen ei ole pakotettu seuraavien ryhmien jäsenille.", "Excluded groups" : "Poissuljetut ryhmät", "Save changes" : "Tallenna muutokset", + "Default" : "Oletus", "Show details for {appName} app" : "Näytä sovelluksen {appName} tiedot", "Update to {update}" : "Päivitä versioon {update}", "Remove" : "Poista", diff --git a/apps/settings/l10n/fi.json b/apps/settings/l10n/fi.json index 714886e982a..7f9df2b5ac6 100644 --- a/apps/settings/l10n/fi.json +++ b/apps/settings/l10n/fi.json @@ -97,7 +97,7 @@ "Administration" : "Ylläpito", "Users" : "Käyttäjät", "Additional settings" : "Lisäasetukset", - "Artificial Intelligence" : "Tekoäly", + "Assistant" : "Avustaja", "Administration privileges" : "Ylläpitäjän oikeudet", "Groupware" : "Groupware", "Overview" : "Yleiskuvaus", @@ -107,6 +107,7 @@ "Calendar" : "Kalenteri", "Personal info" : "Henkilökohtaiset tiedot", "Mobile & desktop" : "Mobiili ja työpöytä", + "Artificial Intelligence" : "Tekoäly", "Email server" : "Sähköpostipalvelin", "Background jobs" : "Taustatyöt", "Unlimited" : "Rajoittamaton", @@ -151,11 +152,11 @@ ".well-known URLs" : ".well-known-URL-osoitteet", "Profile information" : "Profiilitiedot", "Nextcloud settings" : "Nextcloud-asetukset", - "Task:" : "Tehtävä:", "Enable" : "Käytä", "Machine translation" : "Konekäännös", "Image generation" : "Kuvien generointi", "Text processing" : "Tekstinkäsittely", + "Task:" : "Tehtävä:", "Here you can decide which group can access certain sections of the administration settings." : "Tässä voit päättää, mitkä ryhmät voivat käyttää tiettyja osioita ylläpitäjän asetuksista.", "Unable to modify setting" : "Asetuksen muokkaaminen ei onnistu", "None" : "Ei mitään", @@ -189,6 +190,7 @@ "Two-factor authentication is not enforced for members of the following groups." : "Kaksivaiheisen tunnistautuminen ei ole pakotettu seuraavien ryhmien jäsenille.", "Excluded groups" : "Poissuljetut ryhmät", "Save changes" : "Tallenna muutokset", + "Default" : "Oletus", "Show details for {appName} app" : "Näytä sovelluksen {appName} tiedot", "Update to {update}" : "Päivitä versioon {update}", "Remove" : "Poista", diff --git a/apps/settings/l10n/fr.js b/apps/settings/l10n/fr.js index b796b6bbab5..240fa729101 100644 --- a/apps/settings/l10n/fr.js +++ b/apps/settings/l10n/fr.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "Administration", "Users" : "Utilisateurs", "Additional settings" : "Paramètres supplémentaires", - "Artificial Intelligence" : "Intelligence artificielle", + "Assistant" : "Assistant", "Administration privileges" : "Privilèges d'administration", "Groupware" : "Groupware", "Overview" : "Vue d'ensemble", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "Agenda", "Personal info" : "Informations personnelles", "Mobile & desktop" : "Mobile & bureau", + "Artificial Intelligence" : "Intelligence artificielle", "Email server" : "Serveur de messagerie", "Mail Providers" : "Fournisseurs de messagerie", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Le fournisseur de messagerie a activé l'envoi de mails directement par le compte personnel de l'utilisateur. Pour le moment, cette fonctionnalité est limitée aux invitations de calendrier. Elle requiert Nextcloud Mail 4.1 et un compte de messagerie dans Nextcloud Mail dont l'adresse correspond à celle de l'utilisateur dans Nextcloud", @@ -344,7 +345,6 @@ OC.L10N.register( "Unified task processing" : "Traitement unifié des tâches", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Les tâches d'IA peuvent être mises en œuvre par différentes applications. Ici, vous pouvez définir quelle application doit être utilisée pour quelle tâche.", "Allow AI usage for guest users" : "Autoriser l'utilisation de l'IA pour les utilisateurs invités", - "Task:" : "Tâche : ", "Enable" : "Activer", "None of your currently installed apps provide Task processing functionality" : "Aucune de vos applications actuellement installées ne fournit de fonctionnalité de traitement des tâches", "Machine translation" : "Traduction automatique", @@ -354,6 +354,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Aucune des applications actuellement installées ne fournit la fonctionnalité de génération d'images.", "Text processing" : "Génération de texte", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Les tâches de génération de texte peuvent être implémentées par différentes applications. Vous pouvez définir ici quelle application doit être utilisée pour ces tâches.", + "Task:" : "Tâche : ", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Aucune de vos applications actuellement installées ne fournit de fonctionnalité de traitement de texte à l’aide de l’API de traitement de texte.", "Here you can decide which group can access certain sections of the administration settings." : "Ici, vous pouvez décider quel groupe peut accéder à certaines sections des paramètres d'administration.", "Unable to modify setting" : "Impossible de modifier le paramètre", @@ -416,6 +417,10 @@ OC.L10N.register( "Excluded groups" : "Groupes exclus", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Lorsque des groupes sont forcés/exclus, la logique suivante est utilisée pour déterminer si l'authentification à double facteur (A2F) est imposée à un compte. Si aucun groupe n'est forcé, l'authentification à double facteur est activée pour tous sauf pour les membres des groupes exclus. Si des groupes sont forcés, l'authentification à double facteur est exigée pour tous les membres de ces groupes. Si un compte est à la fois dans un groupe forcé et exclu, c'est le groupe forcé qui prime et l'authentification double facteur est imposée.", "Save changes" : "Enregistrer les modifications", + "Default" : "Défaut", + "Registered Deploy daemons list" : "Liste des services de déploiement enregistrés", + "No Deploy daemons configured" : "Aucun service de déploiement configuré", + "Register a custom one or setup from available templates" : "Enregistrez-en un personnalisé ou une configuration à partir des modèles disponibles", "Show details for {appName} app" : "Afficher les détails de l'application {appName}", "Update to {update}" : "Mettre à jour vers {update}", "Remove" : "Retirer", diff --git a/apps/settings/l10n/fr.json b/apps/settings/l10n/fr.json index 323744f2ded..9c92ac74301 100644 --- a/apps/settings/l10n/fr.json +++ b/apps/settings/l10n/fr.json @@ -108,7 +108,7 @@ "Administration" : "Administration", "Users" : "Utilisateurs", "Additional settings" : "Paramètres supplémentaires", - "Artificial Intelligence" : "Intelligence artificielle", + "Assistant" : "Assistant", "Administration privileges" : "Privilèges d'administration", "Groupware" : "Groupware", "Overview" : "Vue d'ensemble", @@ -118,6 +118,7 @@ "Calendar" : "Agenda", "Personal info" : "Informations personnelles", "Mobile & desktop" : "Mobile & bureau", + "Artificial Intelligence" : "Intelligence artificielle", "Email server" : "Serveur de messagerie", "Mail Providers" : "Fournisseurs de messagerie", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Le fournisseur de messagerie a activé l'envoi de mails directement par le compte personnel de l'utilisateur. Pour le moment, cette fonctionnalité est limitée aux invitations de calendrier. Elle requiert Nextcloud Mail 4.1 et un compte de messagerie dans Nextcloud Mail dont l'adresse correspond à celle de l'utilisateur dans Nextcloud", @@ -342,7 +343,6 @@ "Unified task processing" : "Traitement unifié des tâches", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Les tâches d'IA peuvent être mises en œuvre par différentes applications. Ici, vous pouvez définir quelle application doit être utilisée pour quelle tâche.", "Allow AI usage for guest users" : "Autoriser l'utilisation de l'IA pour les utilisateurs invités", - "Task:" : "Tâche : ", "Enable" : "Activer", "None of your currently installed apps provide Task processing functionality" : "Aucune de vos applications actuellement installées ne fournit de fonctionnalité de traitement des tâches", "Machine translation" : "Traduction automatique", @@ -352,6 +352,7 @@ "None of your currently installed apps provide image generation functionality" : "Aucune des applications actuellement installées ne fournit la fonctionnalité de génération d'images.", "Text processing" : "Génération de texte", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Les tâches de génération de texte peuvent être implémentées par différentes applications. Vous pouvez définir ici quelle application doit être utilisée pour ces tâches.", + "Task:" : "Tâche : ", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Aucune de vos applications actuellement installées ne fournit de fonctionnalité de traitement de texte à l’aide de l’API de traitement de texte.", "Here you can decide which group can access certain sections of the administration settings." : "Ici, vous pouvez décider quel groupe peut accéder à certaines sections des paramètres d'administration.", "Unable to modify setting" : "Impossible de modifier le paramètre", @@ -414,6 +415,10 @@ "Excluded groups" : "Groupes exclus", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Lorsque des groupes sont forcés/exclus, la logique suivante est utilisée pour déterminer si l'authentification à double facteur (A2F) est imposée à un compte. Si aucun groupe n'est forcé, l'authentification à double facteur est activée pour tous sauf pour les membres des groupes exclus. Si des groupes sont forcés, l'authentification à double facteur est exigée pour tous les membres de ces groupes. Si un compte est à la fois dans un groupe forcé et exclu, c'est le groupe forcé qui prime et l'authentification double facteur est imposée.", "Save changes" : "Enregistrer les modifications", + "Default" : "Défaut", + "Registered Deploy daemons list" : "Liste des services de déploiement enregistrés", + "No Deploy daemons configured" : "Aucun service de déploiement configuré", + "Register a custom one or setup from available templates" : "Enregistrez-en un personnalisé ou une configuration à partir des modèles disponibles", "Show details for {appName} app" : "Afficher les détails de l'application {appName}", "Update to {update}" : "Mettre à jour vers {update}", "Remove" : "Retirer", diff --git a/apps/settings/l10n/ga.js b/apps/settings/l10n/ga.js index 291340dc7dd..c366c9d54d5 100644 --- a/apps/settings/l10n/ga.js +++ b/apps/settings/l10n/ga.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "Riarachán", "Users" : "Úsáideoirí", "Additional settings" : "Socruithe breise", - "Artificial Intelligence" : "Intleacht Shaorga", + "Assistant" : "Cúntóir", "Administration privileges" : "Pribhléidí riaracháin", "Groupware" : "Earraí grúpa", "Overview" : "Forbhreathnú", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "Féilire", "Personal info" : "Eolas pearsanta", "Mobile & desktop" : "Soghluaiste agus deasc", + "Artificial Intelligence" : "Intleacht Shaorga", "Email server" : "Freastalaí ríomhphoist", "Mail Providers" : "Soláthraithe Ríomhphoist", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Cuireann an soláthraí ríomhphoist ar chumas ríomhphoist a sheoladh go díreach trí chuntas ríomhphoist pearsanta an úsáideora. Faoi láthair, tá an fheidhmiúlacht seo teoranta do chuirí féilire. Éilíonn sé Nextcloud Mail 4.1 agus cuntas ríomhphoist i Nextcloud Mail a mheaitseálann seoladh ríomhphoist an úsáideora i Nextcloud.", @@ -344,7 +345,7 @@ OC.L10N.register( "Unified task processing" : "Próiseáil tasc aontaithe", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Is féidir le apps éagsúla tascanna AI a chur i bhfeidhm. Anseo is féidir leat a shocrú cén aipeanna ba chóir a úsáid le haghaidh an tasc.", "Allow AI usage for guest users" : "Ceadaigh úsáid AI d'úsáideoirí aoi", - "Task:" : "Tasc:", + "Provider for Task types" : "Soláthraí do chineálacha Tascanna", "Enable" : "Cumasaigh", "None of your currently installed apps provide Task processing functionality" : "Ní sholáthraíonn aon cheann de na haipeanna atá suiteáilte agat faoi láthair feidhmiúlacht phróiseála Tasc", "Machine translation" : "Aistriúchán meaisín", @@ -354,6 +355,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Ní sholáthraíonn aon cheann de na haipeanna atá suiteáilte agat faoi láthair feidhmiúlacht giniúna íomhá", "Text processing" : "Próiseáil téacs", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Is féidir le feidhmchláir éagsúla tascanna próiseála téacs a chur i bhfeidhm. Anseo is féidir leat a shocrú cén aip ba chóir a úsáid le haghaidh an tasc.", + "Task:" : "Tasc:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Ní sholáthraíonn aon cheann de na haipeanna atá suiteáilte agat faoi láthair feidhmiúlacht próiseála téacs ag baint úsáide as an API Próiseála Téacs.", "Here you can decide which group can access certain sections of the administration settings." : "Anseo is féidir leat cinneadh a dhéanamh maidir le cén grúpa a fhéadfaidh rochtain a fháil ar ranna áirithe de na socruithe riaracháin.", "Unable to modify setting" : "Ní féidir an socrú a mhodhnú", @@ -418,6 +420,10 @@ OC.L10N.register( "Excluded groups" : "Grúpaí eisiata", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Nuair a roghnaítear/eisiatar grúpaí, úsáideann siad an loighic seo a leanas le fáil amach an bhfuil 2FA curtha i bhfeidhm ag cuntas: Mura roghnaítear aon ghrúpa, tá 2FA cumasaithe do gach duine seachas baill de na grúpaí eisiata. Má roghnaítear grúpaí, tá 2FA cumasaithe do gach ball díobh seo. Má tá cuntas i ngrúpa roghnaithe agus eisiata araon, beidh tosaíocht ag an gceann roghnaithe agus cuirtear 2FA i bhfeidhm.", "Save changes" : "Sabháil na hathruithe", + "Default" : "Réamhshocrú", + "Registered Deploy daemons list" : "Liosta deamhan Imscaradh Cláraithe", + "No Deploy daemons configured" : "Níl aon deamhan Imscaradh cumraithe", + "Register a custom one or setup from available templates" : "Cláraigh ceann nó socrú saincheaptha ó na teimpléid atá ar fáil", "Show details for {appName} app" : "Taispeáin sonraí na haipe {appName}", "Update to {update}" : "Nuashonraigh go {update}", "Remove" : "Bain", diff --git a/apps/settings/l10n/ga.json b/apps/settings/l10n/ga.json index 7b12208cdba..46aa6439a2f 100644 --- a/apps/settings/l10n/ga.json +++ b/apps/settings/l10n/ga.json @@ -108,7 +108,7 @@ "Administration" : "Riarachán", "Users" : "Úsáideoirí", "Additional settings" : "Socruithe breise", - "Artificial Intelligence" : "Intleacht Shaorga", + "Assistant" : "Cúntóir", "Administration privileges" : "Pribhléidí riaracháin", "Groupware" : "Earraí grúpa", "Overview" : "Forbhreathnú", @@ -118,6 +118,7 @@ "Calendar" : "Féilire", "Personal info" : "Eolas pearsanta", "Mobile & desktop" : "Soghluaiste agus deasc", + "Artificial Intelligence" : "Intleacht Shaorga", "Email server" : "Freastalaí ríomhphoist", "Mail Providers" : "Soláthraithe Ríomhphoist", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Cuireann an soláthraí ríomhphoist ar chumas ríomhphoist a sheoladh go díreach trí chuntas ríomhphoist pearsanta an úsáideora. Faoi láthair, tá an fheidhmiúlacht seo teoranta do chuirí féilire. Éilíonn sé Nextcloud Mail 4.1 agus cuntas ríomhphoist i Nextcloud Mail a mheaitseálann seoladh ríomhphoist an úsáideora i Nextcloud.", @@ -342,7 +343,7 @@ "Unified task processing" : "Próiseáil tasc aontaithe", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Is féidir le apps éagsúla tascanna AI a chur i bhfeidhm. Anseo is féidir leat a shocrú cén aipeanna ba chóir a úsáid le haghaidh an tasc.", "Allow AI usage for guest users" : "Ceadaigh úsáid AI d'úsáideoirí aoi", - "Task:" : "Tasc:", + "Provider for Task types" : "Soláthraí do chineálacha Tascanna", "Enable" : "Cumasaigh", "None of your currently installed apps provide Task processing functionality" : "Ní sholáthraíonn aon cheann de na haipeanna atá suiteáilte agat faoi láthair feidhmiúlacht phróiseála Tasc", "Machine translation" : "Aistriúchán meaisín", @@ -352,6 +353,7 @@ "None of your currently installed apps provide image generation functionality" : "Ní sholáthraíonn aon cheann de na haipeanna atá suiteáilte agat faoi láthair feidhmiúlacht giniúna íomhá", "Text processing" : "Próiseáil téacs", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Is féidir le feidhmchláir éagsúla tascanna próiseála téacs a chur i bhfeidhm. Anseo is féidir leat a shocrú cén aip ba chóir a úsáid le haghaidh an tasc.", + "Task:" : "Tasc:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Ní sholáthraíonn aon cheann de na haipeanna atá suiteáilte agat faoi láthair feidhmiúlacht próiseála téacs ag baint úsáide as an API Próiseála Téacs.", "Here you can decide which group can access certain sections of the administration settings." : "Anseo is féidir leat cinneadh a dhéanamh maidir le cén grúpa a fhéadfaidh rochtain a fháil ar ranna áirithe de na socruithe riaracháin.", "Unable to modify setting" : "Ní féidir an socrú a mhodhnú", @@ -416,6 +418,10 @@ "Excluded groups" : "Grúpaí eisiata", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Nuair a roghnaítear/eisiatar grúpaí, úsáideann siad an loighic seo a leanas le fáil amach an bhfuil 2FA curtha i bhfeidhm ag cuntas: Mura roghnaítear aon ghrúpa, tá 2FA cumasaithe do gach duine seachas baill de na grúpaí eisiata. Má roghnaítear grúpaí, tá 2FA cumasaithe do gach ball díobh seo. Má tá cuntas i ngrúpa roghnaithe agus eisiata araon, beidh tosaíocht ag an gceann roghnaithe agus cuirtear 2FA i bhfeidhm.", "Save changes" : "Sabháil na hathruithe", + "Default" : "Réamhshocrú", + "Registered Deploy daemons list" : "Liosta deamhan Imscaradh Cláraithe", + "No Deploy daemons configured" : "Níl aon deamhan Imscaradh cumraithe", + "Register a custom one or setup from available templates" : "Cláraigh ceann nó socrú saincheaptha ó na teimpléid atá ar fáil", "Show details for {appName} app" : "Taispeáin sonraí na haipe {appName}", "Update to {update}" : "Nuashonraigh go {update}", "Remove" : "Bain", diff --git a/apps/settings/l10n/gl.js b/apps/settings/l10n/gl.js index bd1f2526d9f..9e6097091c9 100644 --- a/apps/settings/l10n/gl.js +++ b/apps/settings/l10n/gl.js @@ -109,7 +109,7 @@ OC.L10N.register( "Administration" : "Administración", "Users" : "Usuarios", "Additional settings" : "Axustes adicionais", - "Artificial Intelligence" : "Intelixencia artificial", + "Assistant" : "Asistente", "Administration privileges" : "Privilexios de administración", "Groupware" : "Software colaborativo", "Overview" : "Vista xeral", @@ -119,6 +119,7 @@ OC.L10N.register( "Calendar" : "Calendario", "Personal info" : "Información persoal", "Mobile & desktop" : "Móbil e escritorio", + "Artificial Intelligence" : "Intelixencia artificial", "Email server" : "Servidor de correo", "Mail Providers" : "Provedores de correo", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "O provedor de correo permite enviar correos-e directamente a través da conta de correo persoal do usuario. Actualmente, esta funcionalidade está limitada aos convites de calendario. Require Nextcloud Mail 4.1 e unha conta de correo en Nextcloud Mail que coincida co enderezo de correo electrónico do usuario en Nextcloud.", @@ -337,7 +338,6 @@ OC.L10N.register( "Nextcloud settings" : "Axustes de Nextcloud", "Unified task processing" : "Procesamento unificado de tarefas", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "As tarefas de IA poden ser implementadas por diferentes aplicacións. Aquí pode definir que aplicación debe usarse para que tarefa.", - "Task:" : "Tarefa:", "Enable" : "Activar", "None of your currently installed apps provide Task processing functionality" : "Ningunha das aplicacións instaladas neste momento ofrece funcións de procesamento de tarefas", "Machine translation" : "Tradución automática", @@ -347,6 +347,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Ningunha das aplicacións instaladas neste momento ofrece funcións de xeración de imaxes", "Text processing" : "Procesamento de texto", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "As tarefas de procesamento de texto poden ser implementadas por diferentes aplicacións. Aquí pode definir que aplicación debe usarse para que tarefa.", + "Task:" : "Tarefa:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Ningunha das aplicacións instaladas neste momento ofrece funcións de procesamento de texto mediante a API de Text Processing.", "Here you can decide which group can access certain sections of the administration settings." : "Aquí pode decidir que grupo pode acceder a determinadas seccións dos axustes de administración.", "Unable to modify setting" : "Non é posíbel modificar o axuste", @@ -406,6 +407,10 @@ OC.L10N.register( "Excluded groups" : "Grupos excluídos", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Cando se seleccionan/exclúen os grupos, usase a seguinte lóxica para determinar se unha conta ten obrigado o 2FA: Se non hai grupos seleccionados, o 2FA está activo para todos agás os membros dos grupos excluídos. Se hai grupos seleccionados, o 2FA está activo para todos os membros destes. Se unha conta está á vez nun grupo seleccionado e noutro excluído, o seleccionado ten preferencia e se lle obriga a 2FA.", "Save changes" : "Gardar os cambios", + "Default" : "Predeterminado", + "Registered Deploy daemons list" : "Lista de servizos de despregadura rexistrados", + "No Deploy daemons configured" : "Non hai ningún servizo de despregadura configurado", + "Register a custom one or setup from available templates" : "Rexistre un personalizado ou configúreo a partir dos modelos dispoñíbeis", "Show details for {appName} app" : "Amosar os detalles da aplicación {appName}", "Update to {update}" : "Actualizar a {update}", "Remove" : "Retirar", diff --git a/apps/settings/l10n/gl.json b/apps/settings/l10n/gl.json index a0182cdbf1f..f7208480349 100644 --- a/apps/settings/l10n/gl.json +++ b/apps/settings/l10n/gl.json @@ -107,7 +107,7 @@ "Administration" : "Administración", "Users" : "Usuarios", "Additional settings" : "Axustes adicionais", - "Artificial Intelligence" : "Intelixencia artificial", + "Assistant" : "Asistente", "Administration privileges" : "Privilexios de administración", "Groupware" : "Software colaborativo", "Overview" : "Vista xeral", @@ -117,6 +117,7 @@ "Calendar" : "Calendario", "Personal info" : "Información persoal", "Mobile & desktop" : "Móbil e escritorio", + "Artificial Intelligence" : "Intelixencia artificial", "Email server" : "Servidor de correo", "Mail Providers" : "Provedores de correo", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "O provedor de correo permite enviar correos-e directamente a través da conta de correo persoal do usuario. Actualmente, esta funcionalidade está limitada aos convites de calendario. Require Nextcloud Mail 4.1 e unha conta de correo en Nextcloud Mail que coincida co enderezo de correo electrónico do usuario en Nextcloud.", @@ -335,7 +336,6 @@ "Nextcloud settings" : "Axustes de Nextcloud", "Unified task processing" : "Procesamento unificado de tarefas", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "As tarefas de IA poden ser implementadas por diferentes aplicacións. Aquí pode definir que aplicación debe usarse para que tarefa.", - "Task:" : "Tarefa:", "Enable" : "Activar", "None of your currently installed apps provide Task processing functionality" : "Ningunha das aplicacións instaladas neste momento ofrece funcións de procesamento de tarefas", "Machine translation" : "Tradución automática", @@ -345,6 +345,7 @@ "None of your currently installed apps provide image generation functionality" : "Ningunha das aplicacións instaladas neste momento ofrece funcións de xeración de imaxes", "Text processing" : "Procesamento de texto", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "As tarefas de procesamento de texto poden ser implementadas por diferentes aplicacións. Aquí pode definir que aplicación debe usarse para que tarefa.", + "Task:" : "Tarefa:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Ningunha das aplicacións instaladas neste momento ofrece funcións de procesamento de texto mediante a API de Text Processing.", "Here you can decide which group can access certain sections of the administration settings." : "Aquí pode decidir que grupo pode acceder a determinadas seccións dos axustes de administración.", "Unable to modify setting" : "Non é posíbel modificar o axuste", @@ -404,6 +405,10 @@ "Excluded groups" : "Grupos excluídos", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Cando se seleccionan/exclúen os grupos, usase a seguinte lóxica para determinar se unha conta ten obrigado o 2FA: Se non hai grupos seleccionados, o 2FA está activo para todos agás os membros dos grupos excluídos. Se hai grupos seleccionados, o 2FA está activo para todos os membros destes. Se unha conta está á vez nun grupo seleccionado e noutro excluído, o seleccionado ten preferencia e se lle obriga a 2FA.", "Save changes" : "Gardar os cambios", + "Default" : "Predeterminado", + "Registered Deploy daemons list" : "Lista de servizos de despregadura rexistrados", + "No Deploy daemons configured" : "Non hai ningún servizo de despregadura configurado", + "Register a custom one or setup from available templates" : "Rexistre un personalizado ou configúreo a partir dos modelos dispoñíbeis", "Show details for {appName} app" : "Amosar os detalles da aplicación {appName}", "Update to {update}" : "Actualizar a {update}", "Remove" : "Retirar", diff --git a/apps/settings/l10n/he.js b/apps/settings/l10n/he.js index c3ce45f5edf..a9140cb6db6 100644 --- a/apps/settings/l10n/he.js +++ b/apps/settings/l10n/he.js @@ -135,6 +135,7 @@ OC.L10N.register( "Two-factor authentication is not enforced for members of the following groups." : "אימות דו־שלבי לא נאכף על החברים בקבוצות הבאות.", "Excluded groups" : "קבוצות חריגות", "Save changes" : "שמירת שינויים", + "Default" : "ברירת מחדל", "Update to {update}" : "עדכון ל־{update}", "Remove" : "הסרה", "Featured" : "מומלץ", diff --git a/apps/settings/l10n/he.json b/apps/settings/l10n/he.json index ba34f81b61f..e90cf60f89b 100644 --- a/apps/settings/l10n/he.json +++ b/apps/settings/l10n/he.json @@ -133,6 +133,7 @@ "Two-factor authentication is not enforced for members of the following groups." : "אימות דו־שלבי לא נאכף על החברים בקבוצות הבאות.", "Excluded groups" : "קבוצות חריגות", "Save changes" : "שמירת שינויים", + "Default" : "ברירת מחדל", "Update to {update}" : "עדכון ל־{update}", "Remove" : "הסרה", "Featured" : "מומלץ", diff --git a/apps/settings/l10n/hr.js b/apps/settings/l10n/hr.js index 1fbf446ef49..86cdad181df 100644 --- a/apps/settings/l10n/hr.js +++ b/apps/settings/l10n/hr.js @@ -146,6 +146,7 @@ OC.L10N.register( "Two-factor authentication is not enforced for members of the following groups." : "Dvofaktorska autentifikacija ne primjenjuje se na članove sljedećih grupa.", "Excluded groups" : "Izuzete grupe", "Save changes" : "Spremi promjene", + "Default" : "Zadani", "Update to {update}" : "Ažuriraj na {update}", "Remove" : "Ukloni", "Featured" : "Istaknuto", diff --git a/apps/settings/l10n/hr.json b/apps/settings/l10n/hr.json index a951e332caa..bc35715f96f 100644 --- a/apps/settings/l10n/hr.json +++ b/apps/settings/l10n/hr.json @@ -144,6 +144,7 @@ "Two-factor authentication is not enforced for members of the following groups." : "Dvofaktorska autentifikacija ne primjenjuje se na članove sljedećih grupa.", "Excluded groups" : "Izuzete grupe", "Save changes" : "Spremi promjene", + "Default" : "Zadani", "Update to {update}" : "Ažuriraj na {update}", "Remove" : "Ukloni", "Featured" : "Istaknuto", diff --git a/apps/settings/l10n/hu.js b/apps/settings/l10n/hu.js index 2c7b16b947c..cecf1096af4 100644 --- a/apps/settings/l10n/hu.js +++ b/apps/settings/l10n/hu.js @@ -109,7 +109,7 @@ OC.L10N.register( "Administration" : "Adminisztráció", "Users" : "Felhasználók", "Additional settings" : "További beállítások", - "Artificial Intelligence" : "Mesterséges intelligencia", + "Assistant" : "Asszisztens", "Administration privileges" : "Rendszergazdai jogosultságok", "Groupware" : "Csoportmunka", "Overview" : "Áttekintés", @@ -119,6 +119,7 @@ OC.L10N.register( "Calendar" : "Naptár", "Personal info" : "Személyes információk", "Mobile & desktop" : "Mobil és asztali", + "Artificial Intelligence" : "Mesterséges intelligencia", "Email server" : "E-mail kiszolgáló", "Mail Providers" : "Levelezőszolgáltatók", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Az email-kiküldő lehetővé teszi, hogy a Nextcloud alapbeállítása helyett a felhasználó személyes email-fiókján keresztül menjenek ki levelek. Jelenleg ez a lehetőség a naptármeghívókra korlátozódik. Kell hozzá a Nextcloud Mail 4.1 vagy újabb, és abban egy olyan beállított email-fiók, ami megegyezik a felhasználó Nextcloudban beállított email-címével.", @@ -239,13 +240,13 @@ OC.L10N.register( "Profile information" : "Profilinformációk", "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Profilkép, teljes név, e-mail-cím, telefonszám, cím, weboldal, Twitter-fiók, szervezet, szerepkör, címsor, életrajz és hogy engedélyezett-e", "Nextcloud settings" : "Nextcloud beállítások", - "Task:" : "Feladat:", "Enable" : "Engedélyezés", "Machine translation" : "Gépi fordítás", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "A gépi fordítást különböző alkalmazások is megvalósíthatják. Itt állítható be a jelenleg telepített gépi fordítóalkalmazások elsőbbsége.", "Image generation" : "Képelőállítás", "Text processing" : "Szövegfeldolgozás", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "A szövegfeldolgozás különböző alkalmazásokkal is megvalósítható. Itt állítható be, hogy melyik alkalmazás legyen használva.", + "Task:" : "Feladat:", "Here you can decide which group can access certain sections of the administration settings." : "Itt eldöntheti, hogy mely csoportok érhetik el a rendszergazdai beállítások bizonyos szakaszait.", "Unable to modify setting" : "A beállítás nem módosítható", "None" : "Egyik sem", @@ -277,6 +278,7 @@ OC.L10N.register( "Two-factor authentication is not enforced for members of the following groups." : "A kétfaktoros hitelesítés az alábbi csoportok számára nem kötelező.", "Excluded groups" : "Kizárt csoportok", "Save changes" : "Változások mentése", + "Default" : "Alapértelmezett", "Update to {update}" : "Frissítés erre: {update}", "Remove" : "Eltávolítás", "Featured" : "Kiemelt", diff --git a/apps/settings/l10n/hu.json b/apps/settings/l10n/hu.json index fcf1534796f..836e8b98a8c 100644 --- a/apps/settings/l10n/hu.json +++ b/apps/settings/l10n/hu.json @@ -107,7 +107,7 @@ "Administration" : "Adminisztráció", "Users" : "Felhasználók", "Additional settings" : "További beállítások", - "Artificial Intelligence" : "Mesterséges intelligencia", + "Assistant" : "Asszisztens", "Administration privileges" : "Rendszergazdai jogosultságok", "Groupware" : "Csoportmunka", "Overview" : "Áttekintés", @@ -117,6 +117,7 @@ "Calendar" : "Naptár", "Personal info" : "Személyes információk", "Mobile & desktop" : "Mobil és asztali", + "Artificial Intelligence" : "Mesterséges intelligencia", "Email server" : "E-mail kiszolgáló", "Mail Providers" : "Levelezőszolgáltatók", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Az email-kiküldő lehetővé teszi, hogy a Nextcloud alapbeállítása helyett a felhasználó személyes email-fiókján keresztül menjenek ki levelek. Jelenleg ez a lehetőség a naptármeghívókra korlátozódik. Kell hozzá a Nextcloud Mail 4.1 vagy újabb, és abban egy olyan beállított email-fiók, ami megegyezik a felhasználó Nextcloudban beállított email-címével.", @@ -237,13 +238,13 @@ "Profile information" : "Profilinformációk", "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Profilkép, teljes név, e-mail-cím, telefonszám, cím, weboldal, Twitter-fiók, szervezet, szerepkör, címsor, életrajz és hogy engedélyezett-e", "Nextcloud settings" : "Nextcloud beállítások", - "Task:" : "Feladat:", "Enable" : "Engedélyezés", "Machine translation" : "Gépi fordítás", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "A gépi fordítást különböző alkalmazások is megvalósíthatják. Itt állítható be a jelenleg telepített gépi fordítóalkalmazások elsőbbsége.", "Image generation" : "Képelőállítás", "Text processing" : "Szövegfeldolgozás", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "A szövegfeldolgozás különböző alkalmazásokkal is megvalósítható. Itt állítható be, hogy melyik alkalmazás legyen használva.", + "Task:" : "Feladat:", "Here you can decide which group can access certain sections of the administration settings." : "Itt eldöntheti, hogy mely csoportok érhetik el a rendszergazdai beállítások bizonyos szakaszait.", "Unable to modify setting" : "A beállítás nem módosítható", "None" : "Egyik sem", @@ -275,6 +276,7 @@ "Two-factor authentication is not enforced for members of the following groups." : "A kétfaktoros hitelesítés az alábbi csoportok számára nem kötelező.", "Excluded groups" : "Kizárt csoportok", "Save changes" : "Változások mentése", + "Default" : "Alapértelmezett", "Update to {update}" : "Frissítés erre: {update}", "Remove" : "Eltávolítás", "Featured" : "Kiemelt", diff --git a/apps/settings/l10n/id.js b/apps/settings/l10n/id.js index 3dc11e40215..0e97d4b9403 100644 --- a/apps/settings/l10n/id.js +++ b/apps/settings/l10n/id.js @@ -94,6 +94,7 @@ OC.L10N.register( "Administration" : "Administrasi", "Users" : "Pengguna", "Additional settings" : "Setelan tambahan", + "Assistant" : "Asisten", "Administration privileges" : "Hak administrator", "Groupware" : "Peralatan Grup", "Overview" : "Ringkasan", @@ -134,6 +135,7 @@ OC.L10N.register( "Limit to groups" : "Batasi ke grup", "Excluded groups" : "Grup yang dikecualikan", "Save changes" : "Simpan perubahan", + "Default" : "Default", "Update to {update}" : "Perbarui ke {update}", "Remove" : "Hapus", "Featured" : "Unggulan", diff --git a/apps/settings/l10n/id.json b/apps/settings/l10n/id.json index 5aaecf6cc11..598e786e5e8 100644 --- a/apps/settings/l10n/id.json +++ b/apps/settings/l10n/id.json @@ -92,6 +92,7 @@ "Administration" : "Administrasi", "Users" : "Pengguna", "Additional settings" : "Setelan tambahan", + "Assistant" : "Asisten", "Administration privileges" : "Hak administrator", "Groupware" : "Peralatan Grup", "Overview" : "Ringkasan", @@ -132,6 +133,7 @@ "Limit to groups" : "Batasi ke grup", "Excluded groups" : "Grup yang dikecualikan", "Save changes" : "Simpan perubahan", + "Default" : "Default", "Update to {update}" : "Perbarui ke {update}", "Remove" : "Hapus", "Featured" : "Unggulan", diff --git a/apps/settings/l10n/is.js b/apps/settings/l10n/is.js index 8fe755570d3..114f7df710c 100644 --- a/apps/settings/l10n/is.js +++ b/apps/settings/l10n/is.js @@ -109,7 +109,7 @@ OC.L10N.register( "Administration" : "Stjórnun", "Users" : "Notendur", "Additional settings" : "Valfrjálsar stillingar", - "Artificial Intelligence" : "Gervigreind", + "Assistant" : "Meðhjálpari", "Administration privileges" : "Kerfisstjórnunarheimildir", "Groupware" : "Hópvinnukerfi", "Overview" : "Yfirlit", @@ -119,6 +119,7 @@ OC.L10N.register( "Calendar" : "Dagatal", "Personal info" : "Persónulegar upplýsingar", "Mobile & desktop" : "Farsímar og borðtölvur", + "Artificial Intelligence" : "Gervigreind", "Email server" : "Póstþjónn", "Mail Providers" : "Þjónustuveitur", "Send emails using" : "Senda tölvupósta með", @@ -205,7 +206,6 @@ OC.L10N.register( "Profile information" : "Persónuupplýsingar", "Nextcloud settings" : "Stillingar Nextcloud", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "AI-gervigreind verka getur verið framkvæmd af mismunandi forritum. Hér geturðu stillt hvaða forrit ætti að nota fyrir hvaða verk.", - "Task:" : "Verk:", "Enable" : "Virkja", "Machine translation" : "Vélræn þýðing", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "Vélþýðingar geta verið framkvæmdar af mismunandi forritum. Hér geturðu skilgreint forgangsröðun þeirra vélþýðingarforrita sem eru uppsett í augnablikinu.", @@ -213,6 +213,7 @@ OC.L10N.register( "Image generation can be implemented by different apps. Here you can set which app should be used." : "Gerð mynda getur verið framkvæmd af mismunandi forritum. Hér geturðu stillt hvaða forrit ætti að nota.", "Text processing" : "Textavinnsla", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Textavinnsla verka getur verið framkvæmd af mismunandi forritum. Hér geturðu stillt hvaða forrit ætti að nota fyrir hvaða verk.", + "Task:" : "Verk:", "Unable to modify setting" : "Ekki gekk að breyta stillingu", "None" : "Ekkert", "Changed disclaimer text" : "Breyttur texti fyrirvara", @@ -263,6 +264,7 @@ OC.L10N.register( "Excluded groups" : "Útilokaðir hópar", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Þegar hópar eru valdir/útilokaðir, styðjast þeir við eftirfarandi röksemdafærslu til að ákvarða hvort notandaaðgangur sé með þvingaða/virka tveggja-þrepa auðkenningu: tveggja-þrepa auðkenning er virk fyrir alla nema meðlimi útilokaðra hópa. Ef hópar eru valdir, er tveggja-þrepa auðkenning virk fyrir alla meðlimi þessara hópa. Ef notandi er bæði í völdum og í útilokuðum hópum, ræður valið og því er tveggja-þrepa auðkenning virk.", "Save changes" : "Vista breytingar", + "Default" : "Sjálfgefið", "Show details for {appName} app" : "Birta ítarlegri upplýsingar fyrir {appName} forritið", "Update to {update}" : "Uppfæra í {update}", "Remove" : "Fjarlægja", diff --git a/apps/settings/l10n/is.json b/apps/settings/l10n/is.json index 8519e7089df..ebdde060c2d 100644 --- a/apps/settings/l10n/is.json +++ b/apps/settings/l10n/is.json @@ -107,7 +107,7 @@ "Administration" : "Stjórnun", "Users" : "Notendur", "Additional settings" : "Valfrjálsar stillingar", - "Artificial Intelligence" : "Gervigreind", + "Assistant" : "Meðhjálpari", "Administration privileges" : "Kerfisstjórnunarheimildir", "Groupware" : "Hópvinnukerfi", "Overview" : "Yfirlit", @@ -117,6 +117,7 @@ "Calendar" : "Dagatal", "Personal info" : "Persónulegar upplýsingar", "Mobile & desktop" : "Farsímar og borðtölvur", + "Artificial Intelligence" : "Gervigreind", "Email server" : "Póstþjónn", "Mail Providers" : "Þjónustuveitur", "Send emails using" : "Senda tölvupósta með", @@ -203,7 +204,6 @@ "Profile information" : "Persónuupplýsingar", "Nextcloud settings" : "Stillingar Nextcloud", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "AI-gervigreind verka getur verið framkvæmd af mismunandi forritum. Hér geturðu stillt hvaða forrit ætti að nota fyrir hvaða verk.", - "Task:" : "Verk:", "Enable" : "Virkja", "Machine translation" : "Vélræn þýðing", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "Vélþýðingar geta verið framkvæmdar af mismunandi forritum. Hér geturðu skilgreint forgangsröðun þeirra vélþýðingarforrita sem eru uppsett í augnablikinu.", @@ -211,6 +211,7 @@ "Image generation can be implemented by different apps. Here you can set which app should be used." : "Gerð mynda getur verið framkvæmd af mismunandi forritum. Hér geturðu stillt hvaða forrit ætti að nota.", "Text processing" : "Textavinnsla", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Textavinnsla verka getur verið framkvæmd af mismunandi forritum. Hér geturðu stillt hvaða forrit ætti að nota fyrir hvaða verk.", + "Task:" : "Verk:", "Unable to modify setting" : "Ekki gekk að breyta stillingu", "None" : "Ekkert", "Changed disclaimer text" : "Breyttur texti fyrirvara", @@ -261,6 +262,7 @@ "Excluded groups" : "Útilokaðir hópar", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Þegar hópar eru valdir/útilokaðir, styðjast þeir við eftirfarandi röksemdafærslu til að ákvarða hvort notandaaðgangur sé með þvingaða/virka tveggja-þrepa auðkenningu: tveggja-þrepa auðkenning er virk fyrir alla nema meðlimi útilokaðra hópa. Ef hópar eru valdir, er tveggja-þrepa auðkenning virk fyrir alla meðlimi þessara hópa. Ef notandi er bæði í völdum og í útilokuðum hópum, ræður valið og því er tveggja-þrepa auðkenning virk.", "Save changes" : "Vista breytingar", + "Default" : "Sjálfgefið", "Show details for {appName} app" : "Birta ítarlegri upplýsingar fyrir {appName} forritið", "Update to {update}" : "Uppfæra í {update}", "Remove" : "Fjarlægja", diff --git a/apps/settings/l10n/it.js b/apps/settings/l10n/it.js index 0ec7b5fb1db..ad2832679e7 100644 --- a/apps/settings/l10n/it.js +++ b/apps/settings/l10n/it.js @@ -109,7 +109,7 @@ OC.L10N.register( "Administration" : "Amministrazione", "Users" : "Utenti", "Additional settings" : "Impostazioni aggiuntive", - "Artificial Intelligence" : "Intelligenza artificiale", + "Assistant" : "Assistente", "Administration privileges" : "Privilegi di amministratore", "Groupware" : "Groupware", "Overview" : "Riepilogo", @@ -119,6 +119,7 @@ OC.L10N.register( "Calendar" : "Calendario", "Personal info" : "Informazioni personali", "Mobile & desktop" : "Mobile e desktop", + "Artificial Intelligence" : "Intelligenza artificiale", "Email server" : "Server di posta", "Mail Providers" : "Provider di Posta Elettronica", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Il provider di posta elettronica consente l'invio di e-mail direttamente tramite l'account e-mail personale dell'utente. Al momento, questa funzionalità è limitata agli inviti del calendario. Richiede Nextcloud Mail 4.1 e un account e-mail in Nextcloud Mail che corrisponda all'indirizzo e-mail dell'utente in Nextcloud.", @@ -280,7 +281,6 @@ OC.L10N.register( "Profile information" : "Informazioni del profilo", "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Immagine del profilo, nome e cognome, email, numero di telefono, indirizzo, sito web, Twitter, organizzazione, ruolo, titolo, biografia e se il tuo profilo è attivo o meno", "Nextcloud settings" : "Impostazioni di Nextcloud", - "Task:" : "Compito:", "Enable" : "Abilita", "Machine translation" : "Traduzione automatica", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "La traduzione automatica può essere implementata da diverse applicazioni. Qui puoi definire la priorità delle applicazioni di traduzione automatica che sono installate al momento.", @@ -289,6 +289,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Nessuna delle tue applicazioni attualmente installate fornisce funzionalità di generazione di immagini", "Text processing" : "Elaborazione del testo", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "L'elaborazione del testo può essere implementata da diverse applicazioni. Qui puoi impostare quale applicazioni usare per quale compito.", + "Task:" : "Compito:", "Here you can decide which group can access certain sections of the administration settings." : "Qui puoi decidere quali gruppi possono accedere ad alcune sezioni delle impostazioni di amministrazione.", "Unable to modify setting" : "Impossibile modificare l'impostazione", "None" : "Nessuno", @@ -341,6 +342,7 @@ OC.L10N.register( "Two-factor authentication is not enforced for members of the following groups." : "L'autenticazione a due fattori non è applicata per i membri dei gruppi seguenti.", "Excluded groups" : "Gruppi esclusi", "Save changes" : "Salva le modifiche", + "Default" : "Predefinito", "Show details for {appName} app" : "Mostra dettagli per l'applicazione {appName}", "Update to {update}" : "Aggiorna a {update}", "Remove" : "Rimuovi", diff --git a/apps/settings/l10n/it.json b/apps/settings/l10n/it.json index 161326c69ab..0948a265946 100644 --- a/apps/settings/l10n/it.json +++ b/apps/settings/l10n/it.json @@ -107,7 +107,7 @@ "Administration" : "Amministrazione", "Users" : "Utenti", "Additional settings" : "Impostazioni aggiuntive", - "Artificial Intelligence" : "Intelligenza artificiale", + "Assistant" : "Assistente", "Administration privileges" : "Privilegi di amministratore", "Groupware" : "Groupware", "Overview" : "Riepilogo", @@ -117,6 +117,7 @@ "Calendar" : "Calendario", "Personal info" : "Informazioni personali", "Mobile & desktop" : "Mobile e desktop", + "Artificial Intelligence" : "Intelligenza artificiale", "Email server" : "Server di posta", "Mail Providers" : "Provider di Posta Elettronica", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Il provider di posta elettronica consente l'invio di e-mail direttamente tramite l'account e-mail personale dell'utente. Al momento, questa funzionalità è limitata agli inviti del calendario. Richiede Nextcloud Mail 4.1 e un account e-mail in Nextcloud Mail che corrisponda all'indirizzo e-mail dell'utente in Nextcloud.", @@ -278,7 +279,6 @@ "Profile information" : "Informazioni del profilo", "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Immagine del profilo, nome e cognome, email, numero di telefono, indirizzo, sito web, Twitter, organizzazione, ruolo, titolo, biografia e se il tuo profilo è attivo o meno", "Nextcloud settings" : "Impostazioni di Nextcloud", - "Task:" : "Compito:", "Enable" : "Abilita", "Machine translation" : "Traduzione automatica", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "La traduzione automatica può essere implementata da diverse applicazioni. Qui puoi definire la priorità delle applicazioni di traduzione automatica che sono installate al momento.", @@ -287,6 +287,7 @@ "None of your currently installed apps provide image generation functionality" : "Nessuna delle tue applicazioni attualmente installate fornisce funzionalità di generazione di immagini", "Text processing" : "Elaborazione del testo", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "L'elaborazione del testo può essere implementata da diverse applicazioni. Qui puoi impostare quale applicazioni usare per quale compito.", + "Task:" : "Compito:", "Here you can decide which group can access certain sections of the administration settings." : "Qui puoi decidere quali gruppi possono accedere ad alcune sezioni delle impostazioni di amministrazione.", "Unable to modify setting" : "Impossibile modificare l'impostazione", "None" : "Nessuno", @@ -339,6 +340,7 @@ "Two-factor authentication is not enforced for members of the following groups." : "L'autenticazione a due fattori non è applicata per i membri dei gruppi seguenti.", "Excluded groups" : "Gruppi esclusi", "Save changes" : "Salva le modifiche", + "Default" : "Predefinito", "Show details for {appName} app" : "Mostra dettagli per l'applicazione {appName}", "Update to {update}" : "Aggiorna a {update}", "Remove" : "Rimuovi", diff --git a/apps/settings/l10n/ja.js b/apps/settings/l10n/ja.js index 4f6207dff4c..ccbadd44f71 100644 --- a/apps/settings/l10n/ja.js +++ b/apps/settings/l10n/ja.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "管理", "Users" : "ユーザー", "Additional settings" : "追加設定", - "Artificial Intelligence" : "人工知能", + "Assistant" : "アシスタント", "Administration privileges" : "管理者権限", "Groupware" : "グループウェア", "Overview" : "概要", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "カレンダー", "Personal info" : "個人情報", "Mobile & desktop" : "モバイル & デスクトップ", + "Artificial Intelligence" : "人工知能", "Email server" : "メールサーバー", "Mail Providers" : "メールプロバイダー", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "メールプロバイダーはユーザーの個人メール・アカウントを通じて直接メールを送信できます。現在のところ、この機能はカレンダーの招待に限られています。この機能を利用するには、Nextcloud Mail 4.1と、Nextcloudのユーザーのメールアドレスと一致するNextcloud Mailのメールアカウントが必要です。", @@ -344,7 +345,6 @@ OC.L10N.register( "Unified task processing" : "統合タスク処理", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "AIタスクは、さまざまなアプリで実装できます。ここでは、どのタスクにどのアプリを使用するかを設定します。", "Allow AI usage for guest users" : "ゲストユーザーにAIの利用を許可する", - "Task:" : "Task:", "Enable" : "有効にする", "None of your currently installed apps provide Task processing functionality" : "現在インストールされているアプリでタスク処理機能を提供しているものはありません", "Machine translation" : "機械翻訳", @@ -354,6 +354,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "現在インストールされているどのアプリも、画像生成機能を提供していません。", "Text processing" : "テキスト処理", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "テキスト処理タスクは、異なるアプリで実装することができます。ここでは、どのタスクにどのアプリを使うかを設定できます。", + "Task:" : "Task:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "現在インストールされているどのアプリも、テキスト処理APIを使用したテキスト処理機能を提供していません。", "Here you can decide which group can access certain sections of the administration settings." : "ここではどのグループが、どの管理設定項目にアクセスできるか決めることができます。", "Unable to modify setting" : "設定を変更できません", @@ -418,6 +419,10 @@ OC.L10N.register( "Excluded groups" : "除外するグループ", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "グループが選択または除外されている場合、アカウントに対して二要素認証を強制するかを次のロジックで判断します: 強制するグループが未選択の場合、除外するグループのメンバーを除く全アカウントに対して二要素認証を強制します。強制するグループが選択されている場合、強制するグループの全メンバーに対して二要素認証を強制します。両方のグループに所属するアカウントに対しては、強制するグループが優先され、二要素認証が強制されます。", "Save changes" : "変更を保存", + "Default" : "デフォルト", + "Registered Deploy daemons list" : "登録済みデプロイデーモンリスト", + "No Deploy daemons configured" : "デプロイデーモンが設定されていません", + "Register a custom one or setup from available templates" : "カスタムのものを登録するか利用可能なテンプレートから設定する", "Show details for {appName} app" : "{appName} アプリの詳細を表示する", "Update to {update}" : "{update} にアップデート", "Remove" : "削除", diff --git a/apps/settings/l10n/ja.json b/apps/settings/l10n/ja.json index 377169a96fc..09a45f8b22e 100644 --- a/apps/settings/l10n/ja.json +++ b/apps/settings/l10n/ja.json @@ -108,7 +108,7 @@ "Administration" : "管理", "Users" : "ユーザー", "Additional settings" : "追加設定", - "Artificial Intelligence" : "人工知能", + "Assistant" : "アシスタント", "Administration privileges" : "管理者権限", "Groupware" : "グループウェア", "Overview" : "概要", @@ -118,6 +118,7 @@ "Calendar" : "カレンダー", "Personal info" : "個人情報", "Mobile & desktop" : "モバイル & デスクトップ", + "Artificial Intelligence" : "人工知能", "Email server" : "メールサーバー", "Mail Providers" : "メールプロバイダー", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "メールプロバイダーはユーザーの個人メール・アカウントを通じて直接メールを送信できます。現在のところ、この機能はカレンダーの招待に限られています。この機能を利用するには、Nextcloud Mail 4.1と、Nextcloudのユーザーのメールアドレスと一致するNextcloud Mailのメールアカウントが必要です。", @@ -342,7 +343,6 @@ "Unified task processing" : "統合タスク処理", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "AIタスクは、さまざまなアプリで実装できます。ここでは、どのタスクにどのアプリを使用するかを設定します。", "Allow AI usage for guest users" : "ゲストユーザーにAIの利用を許可する", - "Task:" : "Task:", "Enable" : "有効にする", "None of your currently installed apps provide Task processing functionality" : "現在インストールされているアプリでタスク処理機能を提供しているものはありません", "Machine translation" : "機械翻訳", @@ -352,6 +352,7 @@ "None of your currently installed apps provide image generation functionality" : "現在インストールされているどのアプリも、画像生成機能を提供していません。", "Text processing" : "テキスト処理", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "テキスト処理タスクは、異なるアプリで実装することができます。ここでは、どのタスクにどのアプリを使うかを設定できます。", + "Task:" : "Task:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "現在インストールされているどのアプリも、テキスト処理APIを使用したテキスト処理機能を提供していません。", "Here you can decide which group can access certain sections of the administration settings." : "ここではどのグループが、どの管理設定項目にアクセスできるか決めることができます。", "Unable to modify setting" : "設定を変更できません", @@ -416,6 +417,10 @@ "Excluded groups" : "除外するグループ", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "グループが選択または除外されている場合、アカウントに対して二要素認証を強制するかを次のロジックで判断します: 強制するグループが未選択の場合、除外するグループのメンバーを除く全アカウントに対して二要素認証を強制します。強制するグループが選択されている場合、強制するグループの全メンバーに対して二要素認証を強制します。両方のグループに所属するアカウントに対しては、強制するグループが優先され、二要素認証が強制されます。", "Save changes" : "変更を保存", + "Default" : "デフォルト", + "Registered Deploy daemons list" : "登録済みデプロイデーモンリスト", + "No Deploy daemons configured" : "デプロイデーモンが設定されていません", + "Register a custom one or setup from available templates" : "カスタムのものを登録するか利用可能なテンプレートから設定する", "Show details for {appName} app" : "{appName} アプリの詳細を表示する", "Update to {update}" : "{update} にアップデート", "Remove" : "削除", diff --git a/apps/settings/l10n/ka.js b/apps/settings/l10n/ka.js index 53b7c1a2c5d..c75c818f8d5 100644 --- a/apps/settings/l10n/ka.js +++ b/apps/settings/l10n/ka.js @@ -101,7 +101,6 @@ OC.L10N.register( "Administration" : "Administration", "Users" : "Users", "Additional settings" : "Additional settings", - "Artificial Intelligence" : "Artificial Intelligence", "Administration privileges" : "Administration privileges", "Groupware" : "Groupware", "Overview" : "Overview", @@ -111,6 +110,7 @@ OC.L10N.register( "Calendar" : "Calendar", "Personal info" : "Personal info", "Mobile & desktop" : "Mobile & desktop", + "Artificial Intelligence" : "Artificial Intelligence", "Email server" : "Email server", "Background jobs" : "Background jobs", "Unlimited" : "Unlimited", @@ -187,7 +187,6 @@ OC.L10N.register( "Profile information" : "Profile information", "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled", "Nextcloud settings" : "Nextcloud settings", - "Task:" : "Task:", "Enable" : "Enable", "Machine translation" : "Machine translation", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment.", @@ -196,6 +195,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "None of your currently installed apps provide image generation functionality", "Text processing" : "Text processing", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task.", + "Task:" : "Task:", "Here you can decide which group can access certain sections of the administration settings." : "Here you can decide which group can access certain sections of the administration settings.", "Unable to modify setting" : "Unable to modify setting", "None" : "None", @@ -238,6 +238,7 @@ OC.L10N.register( "Two-factor authentication is not enforced for members of the following groups." : "Two-factor authentication is not enforced for members of the following groups.", "Excluded groups" : "Excluded groups", "Save changes" : "Save changes", + "Default" : "Default", "Show details for {appName} app" : "Show details for {appName} app", "Update to {update}" : "Update to {update}", "Remove" : "Remove", diff --git a/apps/settings/l10n/ka.json b/apps/settings/l10n/ka.json index 682fa871651..cf8b50eb6a7 100644 --- a/apps/settings/l10n/ka.json +++ b/apps/settings/l10n/ka.json @@ -99,7 +99,6 @@ "Administration" : "Administration", "Users" : "Users", "Additional settings" : "Additional settings", - "Artificial Intelligence" : "Artificial Intelligence", "Administration privileges" : "Administration privileges", "Groupware" : "Groupware", "Overview" : "Overview", @@ -109,6 +108,7 @@ "Calendar" : "Calendar", "Personal info" : "Personal info", "Mobile & desktop" : "Mobile & desktop", + "Artificial Intelligence" : "Artificial Intelligence", "Email server" : "Email server", "Background jobs" : "Background jobs", "Unlimited" : "Unlimited", @@ -185,7 +185,6 @@ "Profile information" : "Profile information", "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled", "Nextcloud settings" : "Nextcloud settings", - "Task:" : "Task:", "Enable" : "Enable", "Machine translation" : "Machine translation", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment.", @@ -194,6 +193,7 @@ "None of your currently installed apps provide image generation functionality" : "None of your currently installed apps provide image generation functionality", "Text processing" : "Text processing", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task.", + "Task:" : "Task:", "Here you can decide which group can access certain sections of the administration settings." : "Here you can decide which group can access certain sections of the administration settings.", "Unable to modify setting" : "Unable to modify setting", "None" : "None", @@ -236,6 +236,7 @@ "Two-factor authentication is not enforced for members of the following groups." : "Two-factor authentication is not enforced for members of the following groups.", "Excluded groups" : "Excluded groups", "Save changes" : "Save changes", + "Default" : "Default", "Show details for {appName} app" : "Show details for {appName} app", "Update to {update}" : "Update to {update}", "Remove" : "Remove", diff --git a/apps/settings/l10n/ka_GE.js b/apps/settings/l10n/ka_GE.js index a0142c394ca..3e24934bd46 100644 --- a/apps/settings/l10n/ka_GE.js +++ b/apps/settings/l10n/ka_GE.js @@ -96,6 +96,7 @@ OC.L10N.register( "Default share permissions" : "საწყისი გაზიარების პარამეტრები", "Limit to groups" : "ლიმიტი ჯგუფებზე", "Save changes" : "ცვილებების შენახვა", + "Default" : "საწყისი პარამეტრები", "Remove" : "წაშლა", "Featured" : "გამორჩეულები", "Icon" : "პიქტოგრამა", diff --git a/apps/settings/l10n/ka_GE.json b/apps/settings/l10n/ka_GE.json index 3b88d0c8af5..897d4063778 100644 --- a/apps/settings/l10n/ka_GE.json +++ b/apps/settings/l10n/ka_GE.json @@ -94,6 +94,7 @@ "Default share permissions" : "საწყისი გაზიარების პარამეტრები", "Limit to groups" : "ლიმიტი ჯგუფებზე", "Save changes" : "ცვილებების შენახვა", + "Default" : "საწყისი პარამეტრები", "Remove" : "წაშლა", "Featured" : "გამორჩეულები", "Icon" : "პიქტოგრამა", diff --git a/apps/settings/l10n/ko.js b/apps/settings/l10n/ko.js index 60583fc132a..ce74a53a433 100644 --- a/apps/settings/l10n/ko.js +++ b/apps/settings/l10n/ko.js @@ -109,7 +109,7 @@ OC.L10N.register( "Administration" : "관리", "Users" : "사용자", "Additional settings" : "고급 설정", - "Artificial Intelligence" : "인공지능", + "Assistant" : "어시스턴트", "Administration privileges" : "관리 권한", "Groupware" : "그룹웨어", "Overview" : "개요", @@ -119,6 +119,7 @@ OC.L10N.register( "Calendar" : "달력", "Personal info" : "개인 정보", "Mobile & desktop" : "모바일 & 데스크톱", + "Artificial Intelligence" : "인공지능", "Email server" : "이메일 서버", "Mail Providers" : "메일 제공자", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "메일 제공자는 사용자의 개인 이메일 계정을 통해 이메일을 직접 보낼 수 있도록 합니다. 현재 이 기능은 달력 초대에만 가능합니다. Nextcloud 메일 4.1이 필요하며, Nextcloud에 등록된 사용자의 이메일 주소와 일치하는 이메일 계정이 Nextcloud 메일에 있어야 합니다.", @@ -274,7 +275,6 @@ OC.L10N.register( "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "프로필 사진, 전체 이름, 이메일, 전화번호, 주소, 웹사이트, 트위터, 조직, 직책, 표제, 소개문구 및 프로필 활성화 여부", "Nextcloud settings" : "Nextcloud 환경설정", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "AI 작업을 다양한 앱들을 통해 구현할 수 있습니다. 이곳에서 어떤 작업에 어떤 앱을 사용할지 설정할 수 있습니다.", - "Task:" : "작업:", "Enable" : "사용함", "None of your currently installed apps provide Task processing functionality" : "설치된 앱들 중 작업 처리 기능을 제공하는 것이 없습니다.", "Machine translation" : "기계 번역", @@ -284,6 +284,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "현재 설치된 앱 중 이미지 생성 기능을 제공하는 것이 없습니다", "Text processing" : "문장 처리", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "문장처리 기술을 채용한 앱이 이곳에 표시됩니다. 문장처리 기술을 사용할 앱과 해당 기술이 사용될 작업을 설정하십시오.", + "Task:" : "작업:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "설치된 앱들 중 텍스트 처리 API를 사용하여 텍스트 처리 기능을 제공하는 것이 없습니다.", "Here you can decide which group can access certain sections of the administration settings." : "이곳에서 각 설정 메뉴별로 해당 메뉴에 접근 가능한 그룹을 지정할 수 있습니다.", "Unable to modify setting" : "설정을 수정할 수 없습니다.", @@ -340,6 +341,10 @@ OC.L10N.register( "Excluded groups" : "제외된 그룹", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "그룹을 선택하거나 제외하면 이들의 계정에 2FA를 강제할지 다음 로직을 통해 결정합니다: 아무 그룹도 선택하지 않으면, 제외된 그룹의 사용자들을 제외한 모두에게 2FA가 활성화됩니다. 그룹을 선택했다면, 그 그룹(들)의 모든 멤버들에게 2FA가 활성화됩니다. 하나의 계정이 선택한 그룹과 제외한 그룹에 동시에 있다면, 선택한 그룹이 우선순위를 가져 2FA가 강제됩니다.", "Save changes" : "변경 사항 저장", + "Default" : "디폴트", + "Registered Deploy daemons list" : "등록된 배포 데몬 목록", + "No Deploy daemons configured" : "배포 데몬이 구성되지 않았습니다.", + "Register a custom one or setup from available templates" : "사용자 정의 항목을 등록하거나 사용 가능한 템플릿에서 설정", "Show details for {appName} app" : "{appName} 앱에 대한 상세 정보 보기", "Update to {update}" : "{update}(으)로 업데이트", "Remove" : "삭제", diff --git a/apps/settings/l10n/ko.json b/apps/settings/l10n/ko.json index 2cec4e63e24..b45adc7f3c5 100644 --- a/apps/settings/l10n/ko.json +++ b/apps/settings/l10n/ko.json @@ -107,7 +107,7 @@ "Administration" : "관리", "Users" : "사용자", "Additional settings" : "고급 설정", - "Artificial Intelligence" : "인공지능", + "Assistant" : "어시스턴트", "Administration privileges" : "관리 권한", "Groupware" : "그룹웨어", "Overview" : "개요", @@ -117,6 +117,7 @@ "Calendar" : "달력", "Personal info" : "개인 정보", "Mobile & desktop" : "모바일 & 데스크톱", + "Artificial Intelligence" : "인공지능", "Email server" : "이메일 서버", "Mail Providers" : "메일 제공자", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "메일 제공자는 사용자의 개인 이메일 계정을 통해 이메일을 직접 보낼 수 있도록 합니다. 현재 이 기능은 달력 초대에만 가능합니다. Nextcloud 메일 4.1이 필요하며, Nextcloud에 등록된 사용자의 이메일 주소와 일치하는 이메일 계정이 Nextcloud 메일에 있어야 합니다.", @@ -272,7 +273,6 @@ "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "프로필 사진, 전체 이름, 이메일, 전화번호, 주소, 웹사이트, 트위터, 조직, 직책, 표제, 소개문구 및 프로필 활성화 여부", "Nextcloud settings" : "Nextcloud 환경설정", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "AI 작업을 다양한 앱들을 통해 구현할 수 있습니다. 이곳에서 어떤 작업에 어떤 앱을 사용할지 설정할 수 있습니다.", - "Task:" : "작업:", "Enable" : "사용함", "None of your currently installed apps provide Task processing functionality" : "설치된 앱들 중 작업 처리 기능을 제공하는 것이 없습니다.", "Machine translation" : "기계 번역", @@ -282,6 +282,7 @@ "None of your currently installed apps provide image generation functionality" : "현재 설치된 앱 중 이미지 생성 기능을 제공하는 것이 없습니다", "Text processing" : "문장 처리", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "문장처리 기술을 채용한 앱이 이곳에 표시됩니다. 문장처리 기술을 사용할 앱과 해당 기술이 사용될 작업을 설정하십시오.", + "Task:" : "작업:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "설치된 앱들 중 텍스트 처리 API를 사용하여 텍스트 처리 기능을 제공하는 것이 없습니다.", "Here you can decide which group can access certain sections of the administration settings." : "이곳에서 각 설정 메뉴별로 해당 메뉴에 접근 가능한 그룹을 지정할 수 있습니다.", "Unable to modify setting" : "설정을 수정할 수 없습니다.", @@ -338,6 +339,10 @@ "Excluded groups" : "제외된 그룹", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "그룹을 선택하거나 제외하면 이들의 계정에 2FA를 강제할지 다음 로직을 통해 결정합니다: 아무 그룹도 선택하지 않으면, 제외된 그룹의 사용자들을 제외한 모두에게 2FA가 활성화됩니다. 그룹을 선택했다면, 그 그룹(들)의 모든 멤버들에게 2FA가 활성화됩니다. 하나의 계정이 선택한 그룹과 제외한 그룹에 동시에 있다면, 선택한 그룹이 우선순위를 가져 2FA가 강제됩니다.", "Save changes" : "변경 사항 저장", + "Default" : "디폴트", + "Registered Deploy daemons list" : "등록된 배포 데몬 목록", + "No Deploy daemons configured" : "배포 데몬이 구성되지 않았습니다.", + "Register a custom one or setup from available templates" : "사용자 정의 항목을 등록하거나 사용 가능한 템플릿에서 설정", "Show details for {appName} app" : "{appName} 앱에 대한 상세 정보 보기", "Update to {update}" : "{update}(으)로 업데이트", "Remove" : "삭제", diff --git a/apps/settings/l10n/lt_LT.js b/apps/settings/l10n/lt_LT.js index 591c898f8de..65f69a9b2f6 100644 --- a/apps/settings/l10n/lt_LT.js +++ b/apps/settings/l10n/lt_LT.js @@ -101,7 +101,7 @@ OC.L10N.register( "Administration" : "Administravimas", "Users" : "Naudotojai", "Additional settings" : "Papildomi nustatymai", - "Artificial Intelligence" : "Dirbtinis intelektas", + "Assistant" : "Asistentas.", "Administration privileges" : "Administravimo teisės", "Groupware" : "Grupinio darbo įranga", "Overview" : "Apžvalga", @@ -111,6 +111,7 @@ OC.L10N.register( "Calendar" : "Kalendorius", "Personal info" : "Asmeninė informacija", "Mobile & desktop" : "Mobilieji ir darbalaukiai", + "Artificial Intelligence" : "Dirbtinis intelektas", "Email server" : "El. pašto serveris", "User's email account" : "Naudotojo el. pašto paskyra", "Security & setup checks" : "Saugumo ir sąrankos patikrinimai", @@ -164,6 +165,7 @@ OC.L10N.register( "Two-factor authentication is not enforced for members of the following groups." : "Dviejų faktorių tapatybės nustatymas nėra priverstinis šių grupių nariams.", "Excluded groups" : "Pašalintos grupės", "Save changes" : "Įrašyti pakeitimus", + "Default" : "Numatytasis", "Update to {update}" : "Atnaujinti į {update}", "Remove" : "Šalinti", "Featured" : "Siūlomos", diff --git a/apps/settings/l10n/lt_LT.json b/apps/settings/l10n/lt_LT.json index d51f0324d27..e2057a353e5 100644 --- a/apps/settings/l10n/lt_LT.json +++ b/apps/settings/l10n/lt_LT.json @@ -99,7 +99,7 @@ "Administration" : "Administravimas", "Users" : "Naudotojai", "Additional settings" : "Papildomi nustatymai", - "Artificial Intelligence" : "Dirbtinis intelektas", + "Assistant" : "Asistentas.", "Administration privileges" : "Administravimo teisės", "Groupware" : "Grupinio darbo įranga", "Overview" : "Apžvalga", @@ -109,6 +109,7 @@ "Calendar" : "Kalendorius", "Personal info" : "Asmeninė informacija", "Mobile & desktop" : "Mobilieji ir darbalaukiai", + "Artificial Intelligence" : "Dirbtinis intelektas", "Email server" : "El. pašto serveris", "User's email account" : "Naudotojo el. pašto paskyra", "Security & setup checks" : "Saugumo ir sąrankos patikrinimai", @@ -162,6 +163,7 @@ "Two-factor authentication is not enforced for members of the following groups." : "Dviejų faktorių tapatybės nustatymas nėra priverstinis šių grupių nariams.", "Excluded groups" : "Pašalintos grupės", "Save changes" : "Įrašyti pakeitimus", + "Default" : "Numatytasis", "Update to {update}" : "Atnaujinti į {update}", "Remove" : "Šalinti", "Featured" : "Siūlomos", diff --git a/apps/settings/l10n/mk.js b/apps/settings/l10n/mk.js index e14c3339511..163cbac7f65 100644 --- a/apps/settings/l10n/mk.js +++ b/apps/settings/l10n/mk.js @@ -106,7 +106,6 @@ OC.L10N.register( "Administration" : "Администрација", "Users" : "Корисници", "Additional settings" : "Дополнителни параметри", - "Artificial Intelligence" : "Вештачка интелигенција", "Administration privileges" : "Административни привилегии", "Groupware" : "Групни производи", "Overview" : "Преглед", @@ -116,6 +115,7 @@ OC.L10N.register( "Calendar" : "Календар", "Personal info" : "Лични податоци", "Mobile & desktop" : "Мобилен & компјутер", + "Artificial Intelligence" : "Вештачка интелигенција", "Email server" : "Сервер за е-пошта", "Mail Providers" : "Е-пошта провајдери", "Send emails using" : "Испраќај е-пошти со", @@ -143,12 +143,12 @@ OC.L10N.register( "Profile information" : "Информации за профилот", "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Слика на профил, име и презиме, е-пошта, телефонски број, адреса, њеб страна, Twitter, организација, улога, наслов, биографиј и дали вашиот профил е овозможен", "Nextcloud settings" : "Nextcloud параметри", - "Task:" : "Задачa:", "Enable" : "Овозможи", "Machine translation" : "Машински превод", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "Машинскиот превод може да се имплементира од различни апликации. Овде можете да ја дефинирате предноста на апликациите за машинско преведување што сте ги инсталирале во моментот.", "Text processing" : "Обработка на текст", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Задачите за обработка на текст може да се имплементираат од различни апликации. Овде можете да поставите која апликација треба да се користи за која задача.", + "Task:" : "Задачa:", "Here you can decide which group can access certain sections of the administration settings." : "Овде можете да одлучите која група може да пристапи до одредени делови од параметрите за администрација.", "Unable to modify setting" : "Неможе да се ажурираат параметрите", "None" : "Ништо", @@ -176,6 +176,7 @@ OC.L10N.register( "Two-factor authentication is not enforced for members of the following groups." : "Двофакторна автентикација не е задолжителна за членови на следниве групи.", "Excluded groups" : "Исклучени групи", "Save changes" : "Зачувај ги промените", + "Default" : "Предефиниран", "Update to {update}" : "Надгради на {update}", "Remove" : "Отстрани ", "Featured" : "Истакнати", @@ -195,6 +196,8 @@ OC.L10N.register( "_Update_::_Update all_" : ["Ажурирај","Ажурирај ги сите"], "Group name" : "Име на група", "Nothing to show" : "Нема што да се прикаже", + "Loading" : "Се вчитува", + "{index} of {total}" : "{index} од {total}", "Type" : "Вид", "Learn more" : "Научи повеќе", "Confirm" : "Потврди", @@ -223,6 +226,8 @@ OC.L10N.register( "{productName} Talk for iOS" : "{productName} Talk за iOS", "{productName} Talk for Android" : "{productName} Talk за Android", "This session" : "Оваа сесија", + "{client} - {version} ({system})" : "{client} - {version} ({system})", + "{client} - {version}" : "{client} - {version}", "Device name" : "Име на уред", "Marked for remote wipe" : "Означи за далечинско бришење", "Device settings" : "Параметри за уреди", @@ -315,9 +320,11 @@ OC.L10N.register( "Derived from your locale ({weekDayName})" : "Произлезено од вашата локација ({weekDayName})", "Your headline" : "Вашиот наслов", "Unable to update language" : "Не може да се ажурира јазикот", + "Languages" : "Јазици", "Help translate" : "Помогни во преводот", "No language set" : "Не е поставен јазик", "Unable to update locale" : "Не може да се ажурира локалната локација", + "Locales" : "Локации", "Week starts on {firstDayOfWeek}" : "Неделата започнува во {firstDayOfWeek}", "No locale set" : "Нема поставено локална локација", "Your city" : "Град", @@ -347,6 +354,7 @@ OC.L10N.register( "Password change is disabled because the master key is disabled" : "Ресетирање на лозинка е оневозможено бидејќи главниот клуч е оневозможен", "No accounts" : "Нема сметки", "Manager" : "Менаџер", + "New account" : "Нова сметка", "Display name" : "Име и презиме", "Either password or email is required" : "Внесување на лозинка или Е-пошта е задолжително", "Password (required)" : "Лозинка (задолжително)", @@ -355,6 +363,7 @@ OC.L10N.register( "Quota" : "Квота", "Language" : "Јазик", "Set default language" : "Постави стандарден јазик", + "Add new account" : "Додади нова сметка", "_{userCount} account …_::_{userCount} accounts …_" : ["{userCount} сметка …","{userCount} сметки …"], "_{userCount} account_::_{userCount} accounts_" : ["{userCount} сметка","{userCount} сметки"], "Total rows summary" : "Резиме на вкупно редови", @@ -368,6 +377,8 @@ OC.L10N.register( "Last login" : "Последно најавување", "{size} used" : "искористено {size}", "Delete account" : "Избриши сметка", + "Disable account" : "Оневозможени сметка", + "Enable account" : "Оневозможи сметка", "Resend welcome email" : "Повторно испрати е-пошта порака за добредојде", "In case of lost device or exiting the organization, this can remotely wipe the Nextcloud data from all devices associated with {userid}. Only works if the devices are connected to the internet." : "Во случај да го изгубите уредот или да излезете од компанијата, можете далечински да ги избришете податоците од сите уреди кој се конектирани со корисникот {userid}. Ова работи само доколку уредот е поврзан на интернет.", "Remote wipe of devices" : "Далечинско бришење на уреди", @@ -375,8 +386,15 @@ OC.L10N.register( "Fully delete {userid}'s account including all their personal files, app data, etc." : "Целосно бришење на сметка на {userid} вклучувајќи и сопствените податоци, апликации итн.", "Account deletion" : "Бришење на сметката", "Delete {userid}'s account" : "Избриши го корисникот {userid}", + "Password can't be empty" : "Лозинката неможе да биде празна", + "Password was successfully changed" : "Лозинката е успешно променета", + "Email can't be empty" : "Е-пошта неможе да биде празна", + "Email was successfully changed" : "Е-пошта е успешно променета", "Welcome mail sent!" : "Испратена е-пошта порака за добредојде!", + "Loading account …" : "Вчирување на сметка ...", "Change display name" : "Промена на името", + "Set new password" : "Постави нова лозинка", + "Set new email address" : "Постави нова Е-пошта адреса", "Set the language" : "Постави јазик", "Done" : "Готово", "Edit" : "Уреди", @@ -386,7 +404,9 @@ OC.L10N.register( "Show storage path" : "Прикажи патека на складиште", "Show last login" : "Прикажи последно најавување", "Sorting" : "Сортирање", + "By name" : "По име", "Send email" : "Испрати пошта", + "Send welcome email to new accounts" : "Испрати е-пошта за добредојде до новите сметки", "Defaults" : "Стандарди", "Default quota" : "Стандардна квота", "Select default quota" : "Избери стандардна квота", @@ -403,6 +423,7 @@ OC.L10N.register( "Your browser does not support WebAuthn." : "Вашиот прелистувач не поддржува WebAuthn.", "As admin you can fine-tune the sharing behavior. Please see the documentation for more information." : "Како администратор, можете детално да го прилагодите однесувањето на споделувањето. Погледнете ја документацијата за повеќе информации.", "You need to enable the File sharing App." : "Треба да ја овозможите апликацијата Споделување на датотеки.", + "Version {version}" : "Верзија {version}", "All accounts" : "Сите сметки", "Admins" : "Администратори", "Sending…" : "Испраќа…", diff --git a/apps/settings/l10n/mk.json b/apps/settings/l10n/mk.json index 5dbc53e93f3..ca957571a50 100644 --- a/apps/settings/l10n/mk.json +++ b/apps/settings/l10n/mk.json @@ -104,7 +104,6 @@ "Administration" : "Администрација", "Users" : "Корисници", "Additional settings" : "Дополнителни параметри", - "Artificial Intelligence" : "Вештачка интелигенција", "Administration privileges" : "Административни привилегии", "Groupware" : "Групни производи", "Overview" : "Преглед", @@ -114,6 +113,7 @@ "Calendar" : "Календар", "Personal info" : "Лични податоци", "Mobile & desktop" : "Мобилен & компјутер", + "Artificial Intelligence" : "Вештачка интелигенција", "Email server" : "Сервер за е-пошта", "Mail Providers" : "Е-пошта провајдери", "Send emails using" : "Испраќај е-пошти со", @@ -141,12 +141,12 @@ "Profile information" : "Информации за профилот", "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Слика на профил, име и презиме, е-пошта, телефонски број, адреса, њеб страна, Twitter, организација, улога, наслов, биографиј и дали вашиот профил е овозможен", "Nextcloud settings" : "Nextcloud параметри", - "Task:" : "Задачa:", "Enable" : "Овозможи", "Machine translation" : "Машински превод", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "Машинскиот превод може да се имплементира од различни апликации. Овде можете да ја дефинирате предноста на апликациите за машинско преведување што сте ги инсталирале во моментот.", "Text processing" : "Обработка на текст", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Задачите за обработка на текст може да се имплементираат од различни апликации. Овде можете да поставите која апликација треба да се користи за која задача.", + "Task:" : "Задачa:", "Here you can decide which group can access certain sections of the administration settings." : "Овде можете да одлучите која група може да пристапи до одредени делови од параметрите за администрација.", "Unable to modify setting" : "Неможе да се ажурираат параметрите", "None" : "Ништо", @@ -174,6 +174,7 @@ "Two-factor authentication is not enforced for members of the following groups." : "Двофакторна автентикација не е задолжителна за членови на следниве групи.", "Excluded groups" : "Исклучени групи", "Save changes" : "Зачувај ги промените", + "Default" : "Предефиниран", "Update to {update}" : "Надгради на {update}", "Remove" : "Отстрани ", "Featured" : "Истакнати", @@ -193,6 +194,8 @@ "_Update_::_Update all_" : ["Ажурирај","Ажурирај ги сите"], "Group name" : "Име на група", "Nothing to show" : "Нема што да се прикаже", + "Loading" : "Се вчитува", + "{index} of {total}" : "{index} од {total}", "Type" : "Вид", "Learn more" : "Научи повеќе", "Confirm" : "Потврди", @@ -221,6 +224,8 @@ "{productName} Talk for iOS" : "{productName} Talk за iOS", "{productName} Talk for Android" : "{productName} Talk за Android", "This session" : "Оваа сесија", + "{client} - {version} ({system})" : "{client} - {version} ({system})", + "{client} - {version}" : "{client} - {version}", "Device name" : "Име на уред", "Marked for remote wipe" : "Означи за далечинско бришење", "Device settings" : "Параметри за уреди", @@ -313,9 +318,11 @@ "Derived from your locale ({weekDayName})" : "Произлезено од вашата локација ({weekDayName})", "Your headline" : "Вашиот наслов", "Unable to update language" : "Не може да се ажурира јазикот", + "Languages" : "Јазици", "Help translate" : "Помогни во преводот", "No language set" : "Не е поставен јазик", "Unable to update locale" : "Не може да се ажурира локалната локација", + "Locales" : "Локации", "Week starts on {firstDayOfWeek}" : "Неделата започнува во {firstDayOfWeek}", "No locale set" : "Нема поставено локална локација", "Your city" : "Град", @@ -345,6 +352,7 @@ "Password change is disabled because the master key is disabled" : "Ресетирање на лозинка е оневозможено бидејќи главниот клуч е оневозможен", "No accounts" : "Нема сметки", "Manager" : "Менаџер", + "New account" : "Нова сметка", "Display name" : "Име и презиме", "Either password or email is required" : "Внесување на лозинка или Е-пошта е задолжително", "Password (required)" : "Лозинка (задолжително)", @@ -353,6 +361,7 @@ "Quota" : "Квота", "Language" : "Јазик", "Set default language" : "Постави стандарден јазик", + "Add new account" : "Додади нова сметка", "_{userCount} account …_::_{userCount} accounts …_" : ["{userCount} сметка …","{userCount} сметки …"], "_{userCount} account_::_{userCount} accounts_" : ["{userCount} сметка","{userCount} сметки"], "Total rows summary" : "Резиме на вкупно редови", @@ -366,6 +375,8 @@ "Last login" : "Последно најавување", "{size} used" : "искористено {size}", "Delete account" : "Избриши сметка", + "Disable account" : "Оневозможени сметка", + "Enable account" : "Оневозможи сметка", "Resend welcome email" : "Повторно испрати е-пошта порака за добредојде", "In case of lost device or exiting the organization, this can remotely wipe the Nextcloud data from all devices associated with {userid}. Only works if the devices are connected to the internet." : "Во случај да го изгубите уредот или да излезете од компанијата, можете далечински да ги избришете податоците од сите уреди кој се конектирани со корисникот {userid}. Ова работи само доколку уредот е поврзан на интернет.", "Remote wipe of devices" : "Далечинско бришење на уреди", @@ -373,8 +384,15 @@ "Fully delete {userid}'s account including all their personal files, app data, etc." : "Целосно бришење на сметка на {userid} вклучувајќи и сопствените податоци, апликации итн.", "Account deletion" : "Бришење на сметката", "Delete {userid}'s account" : "Избриши го корисникот {userid}", + "Password can't be empty" : "Лозинката неможе да биде празна", + "Password was successfully changed" : "Лозинката е успешно променета", + "Email can't be empty" : "Е-пошта неможе да биде празна", + "Email was successfully changed" : "Е-пошта е успешно променета", "Welcome mail sent!" : "Испратена е-пошта порака за добредојде!", + "Loading account …" : "Вчирување на сметка ...", "Change display name" : "Промена на името", + "Set new password" : "Постави нова лозинка", + "Set new email address" : "Постави нова Е-пошта адреса", "Set the language" : "Постави јазик", "Done" : "Готово", "Edit" : "Уреди", @@ -384,7 +402,9 @@ "Show storage path" : "Прикажи патека на складиште", "Show last login" : "Прикажи последно најавување", "Sorting" : "Сортирање", + "By name" : "По име", "Send email" : "Испрати пошта", + "Send welcome email to new accounts" : "Испрати е-пошта за добредојде до новите сметки", "Defaults" : "Стандарди", "Default quota" : "Стандардна квота", "Select default quota" : "Избери стандардна квота", @@ -401,6 +421,7 @@ "Your browser does not support WebAuthn." : "Вашиот прелистувач не поддржува WebAuthn.", "As admin you can fine-tune the sharing behavior. Please see the documentation for more information." : "Како администратор, можете детално да го прилагодите однесувањето на споделувањето. Погледнете ја документацијата за повеќе информации.", "You need to enable the File sharing App." : "Треба да ја овозможите апликацијата Споделување на датотеки.", + "Version {version}" : "Верзија {version}", "All accounts" : "Сите сметки", "Admins" : "Администратори", "Sending…" : "Испраќа…", diff --git a/apps/settings/l10n/nb.js b/apps/settings/l10n/nb.js index e0811e071eb..8f65a357f92 100644 --- a/apps/settings/l10n/nb.js +++ b/apps/settings/l10n/nb.js @@ -109,7 +109,7 @@ OC.L10N.register( "Administration" : "Administrasjon", "Users" : "Brukere", "Additional settings" : "Flere innstillinger", - "Artificial Intelligence" : "Kunstig intelligens", + "Assistant" : "Assistent", "Administration privileges" : "Administratorrettigheter", "Groupware" : "Gruppevare", "Overview" : "Oversikt", @@ -119,6 +119,7 @@ OC.L10N.register( "Calendar" : "Kalender", "Personal info" : "Personlig informasjon", "Mobile & desktop" : "Mobil og skrivebord", + "Artificial Intelligence" : "Kunstig intelligens", "Email server" : "E-postserver", "Mail Providers" : "Epost-tilbydere", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Epost-tilbyder åpner for sending av epost direkte via brukerens personlige epost-konto. På nåværende tidspunkt er denne funskjonen begrenset til kalenderinvitasjoner. Krever Nextcloud Mail 4.1 og en epost-konto i Nextcloud Mail som er lik brukerens epost-adresse i Nextcloud.", @@ -317,7 +318,6 @@ OC.L10N.register( "Nextcloud settings" : "Nextcloud innstillinger", "Unified task processing" : "Enhetlig oppgavebehandling", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "AI-oppgaver kan implementeres av forskjellige apper. Her kan du angi hvilken app som skal brukes til hvilken oppgave.", - "Task:" : "Oppgave:", "Enable" : "Aktiver", "None of your currently installed apps provide Task processing functionality" : "Ingen av appene du installerte for øyeblikket, har oppgavebehandlingsfunksjonalitet", "Machine translation" : "Maskinoversettelse", @@ -327,6 +327,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Ingen av de installerte appene dine har bildegenereringsfunksjonalitet", "Text processing" : "Tekstbehandling", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Tekstbehandlingsoppgaver kan implementeres av forskjellige apper. Her kan du angi hvilken app som skal brukes til hvilken oppgave.", + "Task:" : "Oppgave:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Ingen av de installerte appene dine har tekstbehandlingsfunksjonalitet ved hjelp av API-en for tekstbehandling.", "Here you can decide which group can access certain sections of the administration settings." : "Her kan du bestemme hvilken gruppe som kan få tilgang til bestemte deler av administrasjonsinnstillingene.", "Unable to modify setting" : "Kan ikke endre innstilling", @@ -382,6 +383,10 @@ OC.L10N.register( "Excluded groups" : "Utelukkede grupper", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Når grupper velges/ekskluderes, bruker de følgende logikk for å avgjøre om en konto har 2FA håndhevet: Hvis ingen grupper er valgt, aktiveres 2FA for alle unntatt medlemmer av de ekskluderte gruppene. Hvis grupper velges, er 2FA aktivert for alle medlemmer av disse. Hvis en konto er både i en valgt og ekskludert gruppe, har den valgte forrang og 2FA håndheves.", "Save changes" : "Lagre endringer", + "Default" : "Forvalg", + "Registered Deploy daemons list" : "Registrert liste over distribuerings-daemoner", + "No Deploy daemons configured" : "Ingen distribuerings-daemoner konfigurert", + "Register a custom one or setup from available templates" : "Registrer en tilpasset en eller sett opp fra tilgjengelige maler", "Show details for {appName} app" : "Vis detaljer for {appName}-app", "Update to {update}" : "Oppdater til {update}", "Remove" : "Fjern", diff --git a/apps/settings/l10n/nb.json b/apps/settings/l10n/nb.json index e4db361cb52..5018b931c3a 100644 --- a/apps/settings/l10n/nb.json +++ b/apps/settings/l10n/nb.json @@ -107,7 +107,7 @@ "Administration" : "Administrasjon", "Users" : "Brukere", "Additional settings" : "Flere innstillinger", - "Artificial Intelligence" : "Kunstig intelligens", + "Assistant" : "Assistent", "Administration privileges" : "Administratorrettigheter", "Groupware" : "Gruppevare", "Overview" : "Oversikt", @@ -117,6 +117,7 @@ "Calendar" : "Kalender", "Personal info" : "Personlig informasjon", "Mobile & desktop" : "Mobil og skrivebord", + "Artificial Intelligence" : "Kunstig intelligens", "Email server" : "E-postserver", "Mail Providers" : "Epost-tilbydere", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Epost-tilbyder åpner for sending av epost direkte via brukerens personlige epost-konto. På nåværende tidspunkt er denne funskjonen begrenset til kalenderinvitasjoner. Krever Nextcloud Mail 4.1 og en epost-konto i Nextcloud Mail som er lik brukerens epost-adresse i Nextcloud.", @@ -315,7 +316,6 @@ "Nextcloud settings" : "Nextcloud innstillinger", "Unified task processing" : "Enhetlig oppgavebehandling", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "AI-oppgaver kan implementeres av forskjellige apper. Her kan du angi hvilken app som skal brukes til hvilken oppgave.", - "Task:" : "Oppgave:", "Enable" : "Aktiver", "None of your currently installed apps provide Task processing functionality" : "Ingen av appene du installerte for øyeblikket, har oppgavebehandlingsfunksjonalitet", "Machine translation" : "Maskinoversettelse", @@ -325,6 +325,7 @@ "None of your currently installed apps provide image generation functionality" : "Ingen av de installerte appene dine har bildegenereringsfunksjonalitet", "Text processing" : "Tekstbehandling", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Tekstbehandlingsoppgaver kan implementeres av forskjellige apper. Her kan du angi hvilken app som skal brukes til hvilken oppgave.", + "Task:" : "Oppgave:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Ingen av de installerte appene dine har tekstbehandlingsfunksjonalitet ved hjelp av API-en for tekstbehandling.", "Here you can decide which group can access certain sections of the administration settings." : "Her kan du bestemme hvilken gruppe som kan få tilgang til bestemte deler av administrasjonsinnstillingene.", "Unable to modify setting" : "Kan ikke endre innstilling", @@ -380,6 +381,10 @@ "Excluded groups" : "Utelukkede grupper", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Når grupper velges/ekskluderes, bruker de følgende logikk for å avgjøre om en konto har 2FA håndhevet: Hvis ingen grupper er valgt, aktiveres 2FA for alle unntatt medlemmer av de ekskluderte gruppene. Hvis grupper velges, er 2FA aktivert for alle medlemmer av disse. Hvis en konto er både i en valgt og ekskludert gruppe, har den valgte forrang og 2FA håndheves.", "Save changes" : "Lagre endringer", + "Default" : "Forvalg", + "Registered Deploy daemons list" : "Registrert liste over distribuerings-daemoner", + "No Deploy daemons configured" : "Ingen distribuerings-daemoner konfigurert", + "Register a custom one or setup from available templates" : "Registrer en tilpasset en eller sett opp fra tilgjengelige maler", "Show details for {appName} app" : "Vis detaljer for {appName}-app", "Update to {update}" : "Oppdater til {update}", "Remove" : "Fjern", diff --git a/apps/settings/l10n/nl.js b/apps/settings/l10n/nl.js index 14c06a47855..b4bac2e9c79 100644 --- a/apps/settings/l10n/nl.js +++ b/apps/settings/l10n/nl.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "Beheer", "Users" : "Gebruikers", "Additional settings" : "Aanvullende instellingen", - "Artificial Intelligence" : "Artificiële Intelligentie", + "Assistant" : "Assistent", "Administration privileges" : "Beheerdersprivileges", "Groupware" : "Groupware", "Overview" : "Overzicht", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "Agenda", "Personal info" : "Persoonlijke info", "Mobile & desktop" : "Mobiel & desktop", + "Artificial Intelligence" : "Artificiële Intelligentie", "Email server" : "E-mailserver", "Mail Providers" : "Mail-providers", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Mailprovider maakt het mogelijk e-mails rechtstreeks via het persoonlijke e-mailaccount van de gebruiker te verzenden. Momenteel is deze functionaliteit beperkt tot agenda-uitnodigingen. Het vereist Nextcloud Mail 4.1 en een e-mailaccount in Nextcloud Mail dat overeenkomt met het e-mailadres van de gebruiker in Nextcloud.", @@ -209,8 +210,8 @@ OC.L10N.register( "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Je database draait niet met \"READ COMMITTED\" transactie-isolatie niveau. Dit kan problemen opleveren als er meerdere acties tegelijkertijd worden uitgevoerd.", "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Profielfoto, volledige naam, e-mailadres, telefoonnummer, adres, website, Twitter, organisatie, rol, kop, biografie en of je profiel is ingeschakeld", "Nextcloud settings" : "Nextcloud instellingen", - "Task:" : "Taak:", "Enable" : "Inschakelen", + "Task:" : "Taak:", "Here you can decide which group can access certain sections of the administration settings." : "Hier kun je beslissen welke groep toegang heeft tot bepaalde onderdelen van de beheerders instellingen.", "Unable to modify setting" : "Kan instelling niet aanpassen", "None" : "Geen", @@ -261,6 +262,10 @@ OC.L10N.register( "Two-factor authentication is not enforced for members of the following groups." : "Tweestapsverificatie wordt niet geforceerd voor leden van de volgende groepen.", "Excluded groups" : "Uitgesloten groepen", "Save changes" : "Wijzigingen bewaren", + "Default" : "Standaard", + "Registered Deploy daemons list" : "Lijst van geregistreerde Deploy Daemons", + "No Deploy daemons configured" : "Geen Deploy Daemons geconfigureerd", + "Register a custom one or setup from available templates" : "Registreer met de hand of gebruik een van de beschikbare templates", "Show details for {appName} app" : "Toon details voor {appName} app", "Update to {update}" : "Update naar {update}", "Remove" : "Verwijderen", diff --git a/apps/settings/l10n/nl.json b/apps/settings/l10n/nl.json index 24afd1954c1..42f5712d167 100644 --- a/apps/settings/l10n/nl.json +++ b/apps/settings/l10n/nl.json @@ -108,7 +108,7 @@ "Administration" : "Beheer", "Users" : "Gebruikers", "Additional settings" : "Aanvullende instellingen", - "Artificial Intelligence" : "Artificiële Intelligentie", + "Assistant" : "Assistent", "Administration privileges" : "Beheerdersprivileges", "Groupware" : "Groupware", "Overview" : "Overzicht", @@ -118,6 +118,7 @@ "Calendar" : "Agenda", "Personal info" : "Persoonlijke info", "Mobile & desktop" : "Mobiel & desktop", + "Artificial Intelligence" : "Artificiële Intelligentie", "Email server" : "E-mailserver", "Mail Providers" : "Mail-providers", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Mailprovider maakt het mogelijk e-mails rechtstreeks via het persoonlijke e-mailaccount van de gebruiker te verzenden. Momenteel is deze functionaliteit beperkt tot agenda-uitnodigingen. Het vereist Nextcloud Mail 4.1 en een e-mailaccount in Nextcloud Mail dat overeenkomt met het e-mailadres van de gebruiker in Nextcloud.", @@ -207,8 +208,8 @@ "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Je database draait niet met \"READ COMMITTED\" transactie-isolatie niveau. Dit kan problemen opleveren als er meerdere acties tegelijkertijd worden uitgevoerd.", "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Profielfoto, volledige naam, e-mailadres, telefoonnummer, adres, website, Twitter, organisatie, rol, kop, biografie en of je profiel is ingeschakeld", "Nextcloud settings" : "Nextcloud instellingen", - "Task:" : "Taak:", "Enable" : "Inschakelen", + "Task:" : "Taak:", "Here you can decide which group can access certain sections of the administration settings." : "Hier kun je beslissen welke groep toegang heeft tot bepaalde onderdelen van de beheerders instellingen.", "Unable to modify setting" : "Kan instelling niet aanpassen", "None" : "Geen", @@ -259,6 +260,10 @@ "Two-factor authentication is not enforced for members of the following groups." : "Tweestapsverificatie wordt niet geforceerd voor leden van de volgende groepen.", "Excluded groups" : "Uitgesloten groepen", "Save changes" : "Wijzigingen bewaren", + "Default" : "Standaard", + "Registered Deploy daemons list" : "Lijst van geregistreerde Deploy Daemons", + "No Deploy daemons configured" : "Geen Deploy Daemons geconfigureerd", + "Register a custom one or setup from available templates" : "Registreer met de hand of gebruik een van de beschikbare templates", "Show details for {appName} app" : "Toon details voor {appName} app", "Update to {update}" : "Update naar {update}", "Remove" : "Verwijderen", diff --git a/apps/settings/l10n/pl.js b/apps/settings/l10n/pl.js index 9dc8d22078a..97798f4033a 100644 --- a/apps/settings/l10n/pl.js +++ b/apps/settings/l10n/pl.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "Administracja", "Users" : "Użytkownicy", "Additional settings" : "Ustawienia dodatkowe", - "Artificial Intelligence" : "Sztuczna inteligencja", + "Assistant" : "Asystent", "Administration privileges" : "Uprawnienia administracyjne", "Groupware" : "Praca grupowa", "Overview" : "Przegląd", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "Kalendarz", "Personal info" : "Informacje osobiste", "Mobile & desktop" : "Mobilne i stacjonarne", + "Artificial Intelligence" : "Sztuczna inteligencja", "Email server" : "Serwer poczty", "Mail Providers" : "Dostawcy poczty", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Dostawca poczty umożliwia wysyłanie wiadomości e-mail bezpośrednio za pośrednictwem osobistego konta e-mail użytkownika. Obecnie ta funkcjonalność ogranicza się do zaproszeń z kalendarza. Wymaga Nextcloud Mail 4.1 i konta e-mail w Nextcloud Mail odpowiadającego adresowi e-mail użytkownika w Nextcloud.", @@ -344,7 +345,7 @@ OC.L10N.register( "Unified task processing" : "Ujednolicone przetwarzanie zadań", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Zadania AI mogą być realizowane przez różne aplikacje. Tutaj możesz ustawić, która aplikacja ma być używana do jakiego zadania.", "Allow AI usage for guest users" : "Zezwól na użycie AI dla użytkowników gości", - "Task:" : "Zadanie", + "Provider for Task types" : "Dostawca dla typów zadań", "Enable" : "Włącz", "None of your currently installed apps provide Task processing functionality" : "Żadna z aktualnie zainstalowanych aplikacji nie udostępnia funkcji przetwarzania zadań", "Machine translation" : "Tłumaczenie maszynowe", @@ -354,6 +355,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Żadna z zainstalowanych aplikacji nie pozwala na generowanie obrazów.", "Text processing" : "Przetwarzanie tekstu", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Zadania przetwarzania tekstu mogą być realizowane przez różne aplikacje. Tutaj można ustawić, która aplikacja ma być używana do danego zadania.", + "Task:" : "Zadanie", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Żadna z aktualnie zainstalowanych aplikacji nie udostępnia funkcji przetwarzania tekstu przy użyciu interfejsu API Text processing.", "Here you can decide which group can access certain sections of the administration settings." : "Możesz zdecydować, która grupa ma dostęp do określonych sekcji ustawień administracyjnych.", "Unable to modify setting" : "Nie można zmienić ustawienia", @@ -395,6 +397,7 @@ OC.L10N.register( "Default expiration time of remote shares in days" : "Domyślny czas wygaśnięcia zdalnych udostępnień w dniach", "Expire remote shares after x days" : "Wygaśnięcie zdalnych udostępnień po x dniach", "Set default expiration date for shares via link or mail" : "Ustaw domyślną datę wygaśnięcia udostępnień za pośrednictwem linku lub poczty", + "Enforce expiration date for link or mail shares" : "Wymuś datę wygaśnięcia dla udostępnień przez link lub e-mail", "Default expiration time of shares in days" : "Domyślny czas wygaśnięcia udostępnień w dniach", "Privacy settings for sharing" : "Ustawienia prywatności dotyczące udostępniania", "Allow account name autocompletion in share dialog and allow access to the system address book" : "Zezwalaj na automatyczne uzupełnianie nazwy konta w oknie udostępniania i zezwalaj na dostęp do systemowej książki adresowej", @@ -417,6 +420,7 @@ OC.L10N.register( "Excluded groups" : "Wyłączone grupy", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Gdy grupy są zaznaczone lub wykluczone, stosowana jest następująca logika w celu określenia, czy dla konta ma być wymuszona 2FA:. Jeśli nie wybrano żadnych grup, 2FA jest włączone dla wszystkich, z wyjątkiem członków wykluczonych grup. Jeśli grupy są wybrane, 2FA jest włączone dla wszystkich ich członków. Jeśli konto należy zarówno do grupy wybranej, jak i wykluczonej, priorytet ma grupa wybrana i 2FA jest wymuszane.", "Save changes" : "Zapisz zmiany", + "Default" : "Domyślny", "Show details for {appName} app" : "Pokaż szczegóły aplikacji {appName}", "Update to {update}" : "Zaktualizuj do {update}", "Remove" : "Usuń", @@ -618,6 +622,7 @@ OC.L10N.register( "Your biography. Markdown is supported." : "Twoja biografia. Obsługiwany jest Markdown.", "Unable to update date of birth" : "Nie można zapisać daty urodzin", "Enter your date of birth" : "Podaj datę swoich urodzin", + "Bluesky handle" : "Identyfikator Bluesky", "You are using {s}{usage}{/s}" : "Używasz {s}{usage}{/s}", "You are using {s}{usage}{/s} of {s}{totalSpace}{/s} ({s}{usageRelative}%{/s})" : "Używasz {s}{usage}{/s} z {s}{totalSpace}{/s} ({s}{usageRelative}%{/s})", "You are a member of the following groups:" : "Należysz do następujących grup:", @@ -809,6 +814,7 @@ OC.L10N.register( "Pronouns" : "Zaimki", "Role" : "Rola społeczna", "X (formerly Twitter)" : "X (dawniej Twitter)", + "Bluesky" : "Bluesky", "Website" : "Strona internetowa", "Profile visibility" : "Widoczność profilu", "Locale" : "Region", diff --git a/apps/settings/l10n/pl.json b/apps/settings/l10n/pl.json index 3e05ea4aaee..d22c9232ce9 100644 --- a/apps/settings/l10n/pl.json +++ b/apps/settings/l10n/pl.json @@ -108,7 +108,7 @@ "Administration" : "Administracja", "Users" : "Użytkownicy", "Additional settings" : "Ustawienia dodatkowe", - "Artificial Intelligence" : "Sztuczna inteligencja", + "Assistant" : "Asystent", "Administration privileges" : "Uprawnienia administracyjne", "Groupware" : "Praca grupowa", "Overview" : "Przegląd", @@ -118,6 +118,7 @@ "Calendar" : "Kalendarz", "Personal info" : "Informacje osobiste", "Mobile & desktop" : "Mobilne i stacjonarne", + "Artificial Intelligence" : "Sztuczna inteligencja", "Email server" : "Serwer poczty", "Mail Providers" : "Dostawcy poczty", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Dostawca poczty umożliwia wysyłanie wiadomości e-mail bezpośrednio za pośrednictwem osobistego konta e-mail użytkownika. Obecnie ta funkcjonalność ogranicza się do zaproszeń z kalendarza. Wymaga Nextcloud Mail 4.1 i konta e-mail w Nextcloud Mail odpowiadającego adresowi e-mail użytkownika w Nextcloud.", @@ -342,7 +343,7 @@ "Unified task processing" : "Ujednolicone przetwarzanie zadań", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Zadania AI mogą być realizowane przez różne aplikacje. Tutaj możesz ustawić, która aplikacja ma być używana do jakiego zadania.", "Allow AI usage for guest users" : "Zezwól na użycie AI dla użytkowników gości", - "Task:" : "Zadanie", + "Provider for Task types" : "Dostawca dla typów zadań", "Enable" : "Włącz", "None of your currently installed apps provide Task processing functionality" : "Żadna z aktualnie zainstalowanych aplikacji nie udostępnia funkcji przetwarzania zadań", "Machine translation" : "Tłumaczenie maszynowe", @@ -352,6 +353,7 @@ "None of your currently installed apps provide image generation functionality" : "Żadna z zainstalowanych aplikacji nie pozwala na generowanie obrazów.", "Text processing" : "Przetwarzanie tekstu", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Zadania przetwarzania tekstu mogą być realizowane przez różne aplikacje. Tutaj można ustawić, która aplikacja ma być używana do danego zadania.", + "Task:" : "Zadanie", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Żadna z aktualnie zainstalowanych aplikacji nie udostępnia funkcji przetwarzania tekstu przy użyciu interfejsu API Text processing.", "Here you can decide which group can access certain sections of the administration settings." : "Możesz zdecydować, która grupa ma dostęp do określonych sekcji ustawień administracyjnych.", "Unable to modify setting" : "Nie można zmienić ustawienia", @@ -393,6 +395,7 @@ "Default expiration time of remote shares in days" : "Domyślny czas wygaśnięcia zdalnych udostępnień w dniach", "Expire remote shares after x days" : "Wygaśnięcie zdalnych udostępnień po x dniach", "Set default expiration date for shares via link or mail" : "Ustaw domyślną datę wygaśnięcia udostępnień za pośrednictwem linku lub poczty", + "Enforce expiration date for link or mail shares" : "Wymuś datę wygaśnięcia dla udostępnień przez link lub e-mail", "Default expiration time of shares in days" : "Domyślny czas wygaśnięcia udostępnień w dniach", "Privacy settings for sharing" : "Ustawienia prywatności dotyczące udostępniania", "Allow account name autocompletion in share dialog and allow access to the system address book" : "Zezwalaj na automatyczne uzupełnianie nazwy konta w oknie udostępniania i zezwalaj na dostęp do systemowej książki adresowej", @@ -415,6 +418,7 @@ "Excluded groups" : "Wyłączone grupy", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Gdy grupy są zaznaczone lub wykluczone, stosowana jest następująca logika w celu określenia, czy dla konta ma być wymuszona 2FA:. Jeśli nie wybrano żadnych grup, 2FA jest włączone dla wszystkich, z wyjątkiem członków wykluczonych grup. Jeśli grupy są wybrane, 2FA jest włączone dla wszystkich ich członków. Jeśli konto należy zarówno do grupy wybranej, jak i wykluczonej, priorytet ma grupa wybrana i 2FA jest wymuszane.", "Save changes" : "Zapisz zmiany", + "Default" : "Domyślny", "Show details for {appName} app" : "Pokaż szczegóły aplikacji {appName}", "Update to {update}" : "Zaktualizuj do {update}", "Remove" : "Usuń", @@ -616,6 +620,7 @@ "Your biography. Markdown is supported." : "Twoja biografia. Obsługiwany jest Markdown.", "Unable to update date of birth" : "Nie można zapisać daty urodzin", "Enter your date of birth" : "Podaj datę swoich urodzin", + "Bluesky handle" : "Identyfikator Bluesky", "You are using {s}{usage}{/s}" : "Używasz {s}{usage}{/s}", "You are using {s}{usage}{/s} of {s}{totalSpace}{/s} ({s}{usageRelative}%{/s})" : "Używasz {s}{usage}{/s} z {s}{totalSpace}{/s} ({s}{usageRelative}%{/s})", "You are a member of the following groups:" : "Należysz do następujących grup:", @@ -807,6 +812,7 @@ "Pronouns" : "Zaimki", "Role" : "Rola społeczna", "X (formerly Twitter)" : "X (dawniej Twitter)", + "Bluesky" : "Bluesky", "Website" : "Strona internetowa", "Profile visibility" : "Widoczność profilu", "Locale" : "Region", diff --git a/apps/settings/l10n/pt_BR.js b/apps/settings/l10n/pt_BR.js index b676cd4e35b..0484828ab7d 100644 --- a/apps/settings/l10n/pt_BR.js +++ b/apps/settings/l10n/pt_BR.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "Administração", "Users" : "Usuários", "Additional settings" : "Configurações adicionais", - "Artificial Intelligence" : "Inteligência Artificial", + "Assistant" : "Assistente", "Administration privileges" : "Privilégios de administração", "Groupware" : "Groupware", "Overview" : "Visão geral", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "Calendário", "Personal info" : "Informações pessoais", "Mobile & desktop" : "Móvel & desktop", + "Artificial Intelligence" : "Inteligência Artificial", "Email server" : "Servidor de e-mail", "Mail Providers" : "Provedores de E-mail", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "O provedor de e-mail permite o envio de e-mails diretamente pela conta de e-mail pessoal do usuário. No momento, essa funcionalidade está limitada a convites de calendário. Ele requer o Nextcloud Mail 4.1 e uma conta de e-mail no Nextcloud Mail que corresponda ao endereço de e-mail do usuário no Nextcloud.", @@ -344,7 +345,6 @@ OC.L10N.register( "Unified task processing" : "Processamento unificado de tarefas", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "As tarefas de IA podem ser implementadas por aplicativos diferentes. Aqui você pode definir qual aplicativo deve ser usado para qual tarefa.", "Allow AI usage for guest users" : "Permitir o uso de IA para usuários convidados", - "Task:" : "Tarefa:", "Enable" : "Ativar", "None of your currently installed apps provide Task processing functionality" : "Nenhum dos seus aplicativos instalados atualmente oferece funcionalidade de processamento de Tarefas", "Machine translation" : "Traduções automáticas", @@ -354,6 +354,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Nenhum dos seus aplicativos instalados atualmente oferece funcionalidade de geração de imagens", "Text processing" : "Processamento de texto", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Tarefas de processamento de texto podem ser implementadas por diferentes aplicativos. Aqui você pode definir qual aplicativo deve ser usado para qual tarefa.", + "Task:" : "Tarefa:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Nenhum dos seus aplicativos instalados oferece funcionalidade de processamento de texto usando a API de Processamento de Texto.", "Here you can decide which group can access certain sections of the administration settings." : "Aqui você pode decidir qual grupo pode acessar certas seções das configurações de administração.", "Unable to modify setting" : "Incapaz de modificar a configuração", @@ -418,6 +419,10 @@ OC.L10N.register( "Excluded groups" : "Grupos excluídos", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Quando os grupos são selecionados/excluídos, eles usam a seguinte lógica para determinar se uma conta tem a 2FA aplicada: Se nenhum grupo for selecionado, a 2FA será habilitada para todos, exceto os membros dos grupos excluídos. Se grupos forem selecionados, a 2FA será habilitada para todos os membros deles. Se uma conta estiver em um grupo selecionado e excluído, o selecionado terá precedência e a 2FA será aplicada.", "Save changes" : "Salvar alterações", + "Default" : "Padrão", + "Registered Deploy daemons list" : "Lista de Deploy daemons registrados", + "No Deploy daemons configured" : "Nenhum Deploy daemon configurado", + "Register a custom one or setup from available templates" : "Registre um personalizado ou configure a partir dos modelos disponíveis", "Show details for {appName} app" : "Mostrar detalhes do aplicativo {appName}", "Update to {update}" : "Atualizar para {update}", "Remove" : "Excluir", @@ -810,6 +815,7 @@ OC.L10N.register( "Pronouns" : "Pronomes", "Role" : "Função", "X (formerly Twitter)" : "X (anteriormente Twitter)", + "Bluesky" : "Bluesky", "Website" : "Website", "Profile visibility" : "Visibilidade do perfil", "Locale" : "Configuração regional", diff --git a/apps/settings/l10n/pt_BR.json b/apps/settings/l10n/pt_BR.json index 891f8fa6d5f..ba161dd1c8f 100644 --- a/apps/settings/l10n/pt_BR.json +++ b/apps/settings/l10n/pt_BR.json @@ -108,7 +108,7 @@ "Administration" : "Administração", "Users" : "Usuários", "Additional settings" : "Configurações adicionais", - "Artificial Intelligence" : "Inteligência Artificial", + "Assistant" : "Assistente", "Administration privileges" : "Privilégios de administração", "Groupware" : "Groupware", "Overview" : "Visão geral", @@ -118,6 +118,7 @@ "Calendar" : "Calendário", "Personal info" : "Informações pessoais", "Mobile & desktop" : "Móvel & desktop", + "Artificial Intelligence" : "Inteligência Artificial", "Email server" : "Servidor de e-mail", "Mail Providers" : "Provedores de E-mail", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "O provedor de e-mail permite o envio de e-mails diretamente pela conta de e-mail pessoal do usuário. No momento, essa funcionalidade está limitada a convites de calendário. Ele requer o Nextcloud Mail 4.1 e uma conta de e-mail no Nextcloud Mail que corresponda ao endereço de e-mail do usuário no Nextcloud.", @@ -342,7 +343,6 @@ "Unified task processing" : "Processamento unificado de tarefas", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "As tarefas de IA podem ser implementadas por aplicativos diferentes. Aqui você pode definir qual aplicativo deve ser usado para qual tarefa.", "Allow AI usage for guest users" : "Permitir o uso de IA para usuários convidados", - "Task:" : "Tarefa:", "Enable" : "Ativar", "None of your currently installed apps provide Task processing functionality" : "Nenhum dos seus aplicativos instalados atualmente oferece funcionalidade de processamento de Tarefas", "Machine translation" : "Traduções automáticas", @@ -352,6 +352,7 @@ "None of your currently installed apps provide image generation functionality" : "Nenhum dos seus aplicativos instalados atualmente oferece funcionalidade de geração de imagens", "Text processing" : "Processamento de texto", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Tarefas de processamento de texto podem ser implementadas por diferentes aplicativos. Aqui você pode definir qual aplicativo deve ser usado para qual tarefa.", + "Task:" : "Tarefa:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Nenhum dos seus aplicativos instalados oferece funcionalidade de processamento de texto usando a API de Processamento de Texto.", "Here you can decide which group can access certain sections of the administration settings." : "Aqui você pode decidir qual grupo pode acessar certas seções das configurações de administração.", "Unable to modify setting" : "Incapaz de modificar a configuração", @@ -416,6 +417,10 @@ "Excluded groups" : "Grupos excluídos", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Quando os grupos são selecionados/excluídos, eles usam a seguinte lógica para determinar se uma conta tem a 2FA aplicada: Se nenhum grupo for selecionado, a 2FA será habilitada para todos, exceto os membros dos grupos excluídos. Se grupos forem selecionados, a 2FA será habilitada para todos os membros deles. Se uma conta estiver em um grupo selecionado e excluído, o selecionado terá precedência e a 2FA será aplicada.", "Save changes" : "Salvar alterações", + "Default" : "Padrão", + "Registered Deploy daemons list" : "Lista de Deploy daemons registrados", + "No Deploy daemons configured" : "Nenhum Deploy daemon configurado", + "Register a custom one or setup from available templates" : "Registre um personalizado ou configure a partir dos modelos disponíveis", "Show details for {appName} app" : "Mostrar detalhes do aplicativo {appName}", "Update to {update}" : "Atualizar para {update}", "Remove" : "Excluir", @@ -808,6 +813,7 @@ "Pronouns" : "Pronomes", "Role" : "Função", "X (formerly Twitter)" : "X (anteriormente Twitter)", + "Bluesky" : "Bluesky", "Website" : "Website", "Profile visibility" : "Visibilidade do perfil", "Locale" : "Configuração regional", diff --git a/apps/settings/l10n/pt_PT.js b/apps/settings/l10n/pt_PT.js index 0b26c46977b..94659f07e89 100644 --- a/apps/settings/l10n/pt_PT.js +++ b/apps/settings/l10n/pt_PT.js @@ -82,6 +82,7 @@ OC.L10N.register( "Administration" : "Administração", "Users" : "Utilizadores", "Additional settings" : "Definições adicionais", + "Assistant" : "Assistente", "Administration privileges" : "Privilégios de administração", "Overview" : "Visão Geral", "Basic settings" : "Definições básicas", @@ -118,6 +119,7 @@ OC.L10N.register( "This text will be shown on the public link upload page when the file list is hidden." : "Este texto será exibido na página de carregamento de ligações públicas quando a lista de ficheiros estiver oculta. ", "Limit to groups" : "Limitado a grupos", "Save changes" : "Guardar alterações", + "Default" : "Predefinido", "Update to {update}" : "Atualizar para {update}", "Remove" : "Remover", "Featured" : "Destacado", diff --git a/apps/settings/l10n/pt_PT.json b/apps/settings/l10n/pt_PT.json index eaeac9bf23f..b7a23f72457 100644 --- a/apps/settings/l10n/pt_PT.json +++ b/apps/settings/l10n/pt_PT.json @@ -80,6 +80,7 @@ "Administration" : "Administração", "Users" : "Utilizadores", "Additional settings" : "Definições adicionais", + "Assistant" : "Assistente", "Administration privileges" : "Privilégios de administração", "Overview" : "Visão Geral", "Basic settings" : "Definições básicas", @@ -116,6 +117,7 @@ "This text will be shown on the public link upload page when the file list is hidden." : "Este texto será exibido na página de carregamento de ligações públicas quando a lista de ficheiros estiver oculta. ", "Limit to groups" : "Limitado a grupos", "Save changes" : "Guardar alterações", + "Default" : "Predefinido", "Update to {update}" : "Atualizar para {update}", "Remove" : "Remover", "Featured" : "Destacado", diff --git a/apps/settings/l10n/ro.js b/apps/settings/l10n/ro.js index 79a5d09cd30..2dff3b9651f 100644 --- a/apps/settings/l10n/ro.js +++ b/apps/settings/l10n/ro.js @@ -90,6 +90,7 @@ OC.L10N.register( "Administration" : "Administrare", "Users" : "Utilizatori", "Additional settings" : "Setări adiționale", + "Assistant" : "Asistent", "Administration privileges" : "Privilegii de administrare", "Groupware" : "Articole de grup", "Overview" : "Prezentare generală", @@ -137,6 +138,7 @@ OC.L10N.register( "Two-factor authentication is not enforced for members of the following groups." : "Autentificarea cu doi factori nu este impusă pentru membrii următoarelor grupuri.", "Excluded groups" : "Grupuri excluse", "Save changes" : "Salvează modificările", + "Default" : "Implicită", "Remove" : "Șterge", "Featured" : "Recomandată", "Icon" : "Pictogramă", diff --git a/apps/settings/l10n/ro.json b/apps/settings/l10n/ro.json index 086c741c0af..171760808b0 100644 --- a/apps/settings/l10n/ro.json +++ b/apps/settings/l10n/ro.json @@ -88,6 +88,7 @@ "Administration" : "Administrare", "Users" : "Utilizatori", "Additional settings" : "Setări adiționale", + "Assistant" : "Asistent", "Administration privileges" : "Privilegii de administrare", "Groupware" : "Articole de grup", "Overview" : "Prezentare generală", @@ -135,6 +136,7 @@ "Two-factor authentication is not enforced for members of the following groups." : "Autentificarea cu doi factori nu este impusă pentru membrii următoarelor grupuri.", "Excluded groups" : "Grupuri excluse", "Save changes" : "Salvează modificările", + "Default" : "Implicită", "Remove" : "Șterge", "Featured" : "Recomandată", "Icon" : "Pictogramă", diff --git a/apps/settings/l10n/ru.js b/apps/settings/l10n/ru.js index 5f8fc8fa2a0..4b9adc59ce8 100644 --- a/apps/settings/l10n/ru.js +++ b/apps/settings/l10n/ru.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "Параметры сервера", "Users" : "Пользователи", "Additional settings" : "Дополнительные параметры", - "Artificial Intelligence" : "Искусственный интеллект", + "Assistant" : "Помощник", "Administration privileges" : "Администрирование", "Groupware" : "Приложения для совместной работы", "Overview" : "Общие сведения", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "Календарь", "Personal info" : "Личная информация", "Mobile & desktop" : "Клиенты для ПК и мобильных устройств", + "Artificial Intelligence" : "Искусственный интеллект", "Email server" : "Почтовый сервер", "Mail Providers" : "Почтовые провайдеры", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Почтовый провайдер позволяет отправлять электронные письма непосредственно через личную учетную запись электронной почты пользователя. В настоящее время эта функциональность ограничена приглашениями из календаря. Для этого требуется Nextcloud Mail 4.1 и учетная запись электронной почты в Nextcloud Mail, которая соответствует адресу электронной почты пользователя в Nextcloud.", @@ -344,7 +345,6 @@ OC.L10N.register( "Unified task processing" : "Единая обработка задач", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Задачи искусственного интеллекта могут быть реализованы различными приложениями. Здесь вы можете указать, какое приложение следует использовать для выполнения какой задачи.", "Allow AI usage for guest users" : "Разрешить использование ИИ для гостевых пользователей", - "Task:" : "Задача:", "Enable" : "Включить", "None of your currently installed apps provide Task processing functionality" : "Ни одно из установленных на данный момент приложений не предоставляет функции обработки задач", "Machine translation" : "Машинный перевод", @@ -354,6 +354,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Ни одно из установленных вами в данный момент приложений не предоставляет функцию создания изображения", "Text processing" : "Обработка текста", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Задачи обработки текста могут быть реализованы различными приложениями. Здесь вы можете указать, какое приложение следует использовать для выполнения какой задачи.", + "Task:" : "Задача:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Ни одно из установленных у вас приложений не поддерживает функцию обработки текста с использованием API обработки текста.", "Here you can decide which group can access certain sections of the administration settings." : "Здесь вы можете решить, какая группа может получить доступ к определенным разделам настроек администрирования.", "Unable to modify setting" : "Не удалось изменить параметры", @@ -415,6 +416,10 @@ OC.L10N.register( "Excluded groups" : "Группы без требования использования двухфакторной аутентификации", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Если выбрано включение или отключение использования двухфакторной проверки подлинности для групп, то для определения, требуется ли от пользователя использовать её, применяются следующие правила: \\n\n - если группы не включены в список, то двухфакторная проверка включена для всех их участников, кроме тех, кто также состоит в группах, проверка для которых отключена;\n - если группы включены в список, то двухфакторная проверка включена для всех участников таких групп;\n- если учётная запись состоит одновременно и в группе, проверка для которой включена и группе, проверка для которой отключена, то приоритет получает использование двухфакторной проверки.", "Save changes" : "Сохранить изменения", + "Default" : "По умолчанию", + "Registered Deploy daemons list" : "Список зарегистрированных служб развертывания", + "No Deploy daemons configured" : "Службы развертывания не настроены", + "Register a custom one or setup from available templates" : "Зарегистрируйте индивидуальный шаблон или настройте его из доступных шаблонов", "Show details for {appName} app" : "Подробные сведения о приложении «{appName}»", "Update to {update}" : "Обновить до {update}", "Remove" : "Удалить", diff --git a/apps/settings/l10n/ru.json b/apps/settings/l10n/ru.json index 34855940a43..a3179f6b2b9 100644 --- a/apps/settings/l10n/ru.json +++ b/apps/settings/l10n/ru.json @@ -108,7 +108,7 @@ "Administration" : "Параметры сервера", "Users" : "Пользователи", "Additional settings" : "Дополнительные параметры", - "Artificial Intelligence" : "Искусственный интеллект", + "Assistant" : "Помощник", "Administration privileges" : "Администрирование", "Groupware" : "Приложения для совместной работы", "Overview" : "Общие сведения", @@ -118,6 +118,7 @@ "Calendar" : "Календарь", "Personal info" : "Личная информация", "Mobile & desktop" : "Клиенты для ПК и мобильных устройств", + "Artificial Intelligence" : "Искусственный интеллект", "Email server" : "Почтовый сервер", "Mail Providers" : "Почтовые провайдеры", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Почтовый провайдер позволяет отправлять электронные письма непосредственно через личную учетную запись электронной почты пользователя. В настоящее время эта функциональность ограничена приглашениями из календаря. Для этого требуется Nextcloud Mail 4.1 и учетная запись электронной почты в Nextcloud Mail, которая соответствует адресу электронной почты пользователя в Nextcloud.", @@ -342,7 +343,6 @@ "Unified task processing" : "Единая обработка задач", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Задачи искусственного интеллекта могут быть реализованы различными приложениями. Здесь вы можете указать, какое приложение следует использовать для выполнения какой задачи.", "Allow AI usage for guest users" : "Разрешить использование ИИ для гостевых пользователей", - "Task:" : "Задача:", "Enable" : "Включить", "None of your currently installed apps provide Task processing functionality" : "Ни одно из установленных на данный момент приложений не предоставляет функции обработки задач", "Machine translation" : "Машинный перевод", @@ -352,6 +352,7 @@ "None of your currently installed apps provide image generation functionality" : "Ни одно из установленных вами в данный момент приложений не предоставляет функцию создания изображения", "Text processing" : "Обработка текста", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Задачи обработки текста могут быть реализованы различными приложениями. Здесь вы можете указать, какое приложение следует использовать для выполнения какой задачи.", + "Task:" : "Задача:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Ни одно из установленных у вас приложений не поддерживает функцию обработки текста с использованием API обработки текста.", "Here you can decide which group can access certain sections of the administration settings." : "Здесь вы можете решить, какая группа может получить доступ к определенным разделам настроек администрирования.", "Unable to modify setting" : "Не удалось изменить параметры", @@ -413,6 +414,10 @@ "Excluded groups" : "Группы без требования использования двухфакторной аутентификации", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Если выбрано включение или отключение использования двухфакторной проверки подлинности для групп, то для определения, требуется ли от пользователя использовать её, применяются следующие правила: \\n\n - если группы не включены в список, то двухфакторная проверка включена для всех их участников, кроме тех, кто также состоит в группах, проверка для которых отключена;\n - если группы включены в список, то двухфакторная проверка включена для всех участников таких групп;\n- если учётная запись состоит одновременно и в группе, проверка для которой включена и группе, проверка для которой отключена, то приоритет получает использование двухфакторной проверки.", "Save changes" : "Сохранить изменения", + "Default" : "По умолчанию", + "Registered Deploy daemons list" : "Список зарегистрированных служб развертывания", + "No Deploy daemons configured" : "Службы развертывания не настроены", + "Register a custom one or setup from available templates" : "Зарегистрируйте индивидуальный шаблон или настройте его из доступных шаблонов", "Show details for {appName} app" : "Подробные сведения о приложении «{appName}»", "Update to {update}" : "Обновить до {update}", "Remove" : "Удалить", diff --git a/apps/settings/l10n/sc.js b/apps/settings/l10n/sc.js index 2bc5c774434..33098fa59be 100644 --- a/apps/settings/l10n/sc.js +++ b/apps/settings/l10n/sc.js @@ -144,6 +144,7 @@ OC.L10N.register( "Two-factor authentication is not enforced for members of the following groups." : "S'autenticatzione a duos fatores no est cunfigurada pro cumponentes de is grupos in fatu.", "Excluded groups" : "Grupos esclùdidos", "Save changes" : "Sarva càmbios", + "Default" : "Predefinidu", "Update to {update}" : "Agiorna a {update}", "Remove" : "Boga", "Featured" : "In evidèntzia", diff --git a/apps/settings/l10n/sc.json b/apps/settings/l10n/sc.json index a75db28c4ab..d06c0d55147 100644 --- a/apps/settings/l10n/sc.json +++ b/apps/settings/l10n/sc.json @@ -142,6 +142,7 @@ "Two-factor authentication is not enforced for members of the following groups." : "S'autenticatzione a duos fatores no est cunfigurada pro cumponentes de is grupos in fatu.", "Excluded groups" : "Grupos esclùdidos", "Save changes" : "Sarva càmbios", + "Default" : "Predefinidu", "Update to {update}" : "Agiorna a {update}", "Remove" : "Boga", "Featured" : "In evidèntzia", diff --git a/apps/settings/l10n/sk.js b/apps/settings/l10n/sk.js index 8934df6990d..c3ca97023c3 100644 --- a/apps/settings/l10n/sk.js +++ b/apps/settings/l10n/sk.js @@ -109,7 +109,7 @@ OC.L10N.register( "Administration" : "Administrácia", "Users" : "Používatelia", "Additional settings" : "Ďalšie nastavenia", - "Artificial Intelligence" : "Umelá inteligencia", + "Assistant" : "Asistent", "Administration privileges" : "Oprávnenia správcu", "Groupware" : "Groupware", "Overview" : "Prehľad", @@ -119,6 +119,7 @@ OC.L10N.register( "Calendar" : "Kalendár", "Personal info" : "Osobné informácie", "Mobile & desktop" : "Mobil a počítač", + "Artificial Intelligence" : "Umelá inteligencia", "Email server" : "Poštový server", "Mail Providers" : "Poskytovatelia e-mailu", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Poskytovateľ e-mailu umožňuje odosielať e-maily priamo prostredníctvom osobného e-mailového konta používateľa. V súčasnosti je táto funkcia obmedzená na pozvánky do kalendára. Vyžaduje si aplikáciu Nextcloud Mail 4.1 a e-mailové konto v službe Nextcloud Mail, ktoré sa zhoduje s e-mailovou adresou používateľa v službe Nextcloud.", @@ -338,7 +339,6 @@ OC.L10N.register( "Nextcloud settings" : "Nastavenia Nextcloud", "Unified task processing" : "Jednotné spracovanie úloh", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Úlohy AI môžu byť implementované rôznymi aplikáciami. Tu môžete nastaviť, ktorá aplikácia sa má použiť pre akú úlohu.", - "Task:" : "Úloha:", "Enable" : "Povoliť", "None of your currently installed apps provide Task processing functionality" : "Žiadna z vašich aktuálne nainštalovaných aplikácií neposkytuje funkcie spracovania pre Task", "Machine translation" : "Strojový preklad", @@ -348,6 +348,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Žiadna z vašich momentálne nainštalovaných aplikácií neposkytuje funkciu generovania obrázkov.", "Text processing" : "Spracovanie textu", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Úlohy spracovania textu môžu byť implementované rôznymi aplikáciami. Tu môžete nastaviť, ktorá aplikácia by mala byť použitá pre ktorú úlohu.", + "Task:" : "Úloha:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Žiadna z vašich aktuálne nainštalovaných aplikácií neposkytuje funkcie spracovania textu pomocou rozhrania API na spracovanie textu.", "Here you can decide which group can access certain sections of the administration settings." : "Tu sa môžete rozhodnúť, ktorá skupina má prístup k niektorým nastaveniam správcu.", "Unable to modify setting" : "Nie je možné zmeniť nastavenie", @@ -407,6 +408,10 @@ OC.L10N.register( "Excluded groups" : "Vynechané skupiny", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Pokiaľ sú skupiny vybraté/vynechané, je pre zisťovanie či je účtu vynútené dvojfaktorové (2FA) overovanie použitá nasledovná logika: Ak nie sú vybraté žiadne skupiny, je 2FA zapnuté pre všetkých okrem členov vynechaných skupín. Ak sú nejaké skupiny vybraté, je 2FA zapnuté pre všetkých jej členov. Ak je účet členom ako vybratej, tak aj vynechanej skupiny, potom má vybratá skupina prednosť a 2FA je vynútené.", "Save changes" : "Uložiť zmeny", + "Default" : "Predvolené", + "Registered Deploy daemons list" : "Zoznam registrovaných démonov nasadenia", + "No Deploy daemons configured" : "Neboli nastavené žiadne Démony nasadeia", + "Register a custom one or setup from available templates" : "Zaregistrujte si vlastný alebo ho nastavte z dostupných šablón", "Show details for {appName} app" : "Zobraziť podrobnosti o aplikácii {appName}", "Update to {update}" : "Aktualizovať na {update}", "Remove" : "Odstrániť", diff --git a/apps/settings/l10n/sk.json b/apps/settings/l10n/sk.json index b7d12713eab..857d989adb7 100644 --- a/apps/settings/l10n/sk.json +++ b/apps/settings/l10n/sk.json @@ -107,7 +107,7 @@ "Administration" : "Administrácia", "Users" : "Používatelia", "Additional settings" : "Ďalšie nastavenia", - "Artificial Intelligence" : "Umelá inteligencia", + "Assistant" : "Asistent", "Administration privileges" : "Oprávnenia správcu", "Groupware" : "Groupware", "Overview" : "Prehľad", @@ -117,6 +117,7 @@ "Calendar" : "Kalendár", "Personal info" : "Osobné informácie", "Mobile & desktop" : "Mobil a počítač", + "Artificial Intelligence" : "Umelá inteligencia", "Email server" : "Poštový server", "Mail Providers" : "Poskytovatelia e-mailu", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Poskytovateľ e-mailu umožňuje odosielať e-maily priamo prostredníctvom osobného e-mailového konta používateľa. V súčasnosti je táto funkcia obmedzená na pozvánky do kalendára. Vyžaduje si aplikáciu Nextcloud Mail 4.1 a e-mailové konto v službe Nextcloud Mail, ktoré sa zhoduje s e-mailovou adresou používateľa v službe Nextcloud.", @@ -336,7 +337,6 @@ "Nextcloud settings" : "Nastavenia Nextcloud", "Unified task processing" : "Jednotné spracovanie úloh", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Úlohy AI môžu byť implementované rôznymi aplikáciami. Tu môžete nastaviť, ktorá aplikácia sa má použiť pre akú úlohu.", - "Task:" : "Úloha:", "Enable" : "Povoliť", "None of your currently installed apps provide Task processing functionality" : "Žiadna z vašich aktuálne nainštalovaných aplikácií neposkytuje funkcie spracovania pre Task", "Machine translation" : "Strojový preklad", @@ -346,6 +346,7 @@ "None of your currently installed apps provide image generation functionality" : "Žiadna z vašich momentálne nainštalovaných aplikácií neposkytuje funkciu generovania obrázkov.", "Text processing" : "Spracovanie textu", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Úlohy spracovania textu môžu byť implementované rôznymi aplikáciami. Tu môžete nastaviť, ktorá aplikácia by mala byť použitá pre ktorú úlohu.", + "Task:" : "Úloha:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Žiadna z vašich aktuálne nainštalovaných aplikácií neposkytuje funkcie spracovania textu pomocou rozhrania API na spracovanie textu.", "Here you can decide which group can access certain sections of the administration settings." : "Tu sa môžete rozhodnúť, ktorá skupina má prístup k niektorým nastaveniam správcu.", "Unable to modify setting" : "Nie je možné zmeniť nastavenie", @@ -405,6 +406,10 @@ "Excluded groups" : "Vynechané skupiny", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Pokiaľ sú skupiny vybraté/vynechané, je pre zisťovanie či je účtu vynútené dvojfaktorové (2FA) overovanie použitá nasledovná logika: Ak nie sú vybraté žiadne skupiny, je 2FA zapnuté pre všetkých okrem členov vynechaných skupín. Ak sú nejaké skupiny vybraté, je 2FA zapnuté pre všetkých jej členov. Ak je účet členom ako vybratej, tak aj vynechanej skupiny, potom má vybratá skupina prednosť a 2FA je vynútené.", "Save changes" : "Uložiť zmeny", + "Default" : "Predvolené", + "Registered Deploy daemons list" : "Zoznam registrovaných démonov nasadenia", + "No Deploy daemons configured" : "Neboli nastavené žiadne Démony nasadeia", + "Register a custom one or setup from available templates" : "Zaregistrujte si vlastný alebo ho nastavte z dostupných šablón", "Show details for {appName} app" : "Zobraziť podrobnosti o aplikácii {appName}", "Update to {update}" : "Aktualizovať na {update}", "Remove" : "Odstrániť", diff --git a/apps/settings/l10n/sl.js b/apps/settings/l10n/sl.js index 9d6ff9e1f24..ab2341a6986 100644 --- a/apps/settings/l10n/sl.js +++ b/apps/settings/l10n/sl.js @@ -109,7 +109,6 @@ OC.L10N.register( "Administration" : "Skrbništvo", "Users" : "Uporabniki", "Additional settings" : "Dodatne nastavitve", - "Artificial Intelligence" : "Umetna inteligenca", "Administration privileges" : "Skrbniška dovoljenja", "Groupware" : "Skupinsko delo", "Overview" : "Splošni pregled", @@ -119,6 +118,7 @@ OC.L10N.register( "Calendar" : "Koledar", "Personal info" : "Osebni podatki", "Mobile & desktop" : "Mobilni in namizni dostop", + "Artificial Intelligence" : "Umetna inteligenca", "Email server" : "Poštni strežnik", "Background jobs" : "Opravila v ozadju", "Unlimited" : "Neomejeno", @@ -242,13 +242,13 @@ OC.L10N.register( "Profile information" : "Podrobnosti profila", "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Slika profila, polno ime, elektronski naslov, telefonska številka, naslov, spletna stran, račun Twitter, ustanova, vloga, naslov, biografija in ali je profil omogočen.", "Nextcloud settings" : "Nastavitve Nextcloud", - "Task:" : "Naloga:", "Enable" : "Omogoči", "Machine translation" : "Strojno prevajanje", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "Strojno prevajanje lahko izvajajo različni programi. Na tem mestu je mogoče določiti prednost uporabe programov za strojno prevajanje, ki so trenutno nameščeni v sistem.", "Image generation" : "Ustvarjanje slik", "Text processing" : "Obdelava besedila", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Obdelavo besedila lahko urejajo različni programi. Na tem mestu je mogoče določiti program za uporabo.", + "Task:" : "Naloga:", "Here you can decide which group can access certain sections of the administration settings." : "Na tem mestu je mogoče določiti, katera skupina ima dostop do določenih možnosti skrbniških nastavitev.", "Unable to modify setting" : "Ni mogoče spremeniti nastavitve", "None" : "Brez", @@ -286,6 +286,7 @@ OC.L10N.register( "Two-factor authentication is not enforced for members of the following groups." : "Dvo-stopenjsko overjanje ni obvezno za člane navedenih skupin.", "Excluded groups" : "Izločene skupine", "Save changes" : "Shrani spremembe", + "Default" : "Privzeto", "Show details for {appName} app" : "Pokaži podrobnosti programa {appName}", "Update to {update}" : "Posodobi na različico {update}", "Remove" : "Odstrani", diff --git a/apps/settings/l10n/sl.json b/apps/settings/l10n/sl.json index 9bb0d22a028..a5080347e97 100644 --- a/apps/settings/l10n/sl.json +++ b/apps/settings/l10n/sl.json @@ -107,7 +107,6 @@ "Administration" : "Skrbništvo", "Users" : "Uporabniki", "Additional settings" : "Dodatne nastavitve", - "Artificial Intelligence" : "Umetna inteligenca", "Administration privileges" : "Skrbniška dovoljenja", "Groupware" : "Skupinsko delo", "Overview" : "Splošni pregled", @@ -117,6 +116,7 @@ "Calendar" : "Koledar", "Personal info" : "Osebni podatki", "Mobile & desktop" : "Mobilni in namizni dostop", + "Artificial Intelligence" : "Umetna inteligenca", "Email server" : "Poštni strežnik", "Background jobs" : "Opravila v ozadju", "Unlimited" : "Neomejeno", @@ -240,13 +240,13 @@ "Profile information" : "Podrobnosti profila", "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Slika profila, polno ime, elektronski naslov, telefonska številka, naslov, spletna stran, račun Twitter, ustanova, vloga, naslov, biografija in ali je profil omogočen.", "Nextcloud settings" : "Nastavitve Nextcloud", - "Task:" : "Naloga:", "Enable" : "Omogoči", "Machine translation" : "Strojno prevajanje", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "Strojno prevajanje lahko izvajajo različni programi. Na tem mestu je mogoče določiti prednost uporabe programov za strojno prevajanje, ki so trenutno nameščeni v sistem.", "Image generation" : "Ustvarjanje slik", "Text processing" : "Obdelava besedila", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Obdelavo besedila lahko urejajo različni programi. Na tem mestu je mogoče določiti program za uporabo.", + "Task:" : "Naloga:", "Here you can decide which group can access certain sections of the administration settings." : "Na tem mestu je mogoče določiti, katera skupina ima dostop do določenih možnosti skrbniških nastavitev.", "Unable to modify setting" : "Ni mogoče spremeniti nastavitve", "None" : "Brez", @@ -284,6 +284,7 @@ "Two-factor authentication is not enforced for members of the following groups." : "Dvo-stopenjsko overjanje ni obvezno za člane navedenih skupin.", "Excluded groups" : "Izločene skupine", "Save changes" : "Shrani spremembe", + "Default" : "Privzeto", "Show details for {appName} app" : "Pokaži podrobnosti programa {appName}", "Update to {update}" : "Posodobi na različico {update}", "Remove" : "Odstrani", diff --git a/apps/settings/l10n/sq.js b/apps/settings/l10n/sq.js index a574b182c20..ff8ff584dac 100644 --- a/apps/settings/l10n/sq.js +++ b/apps/settings/l10n/sq.js @@ -88,6 +88,7 @@ OC.L10N.register( "This text will be shown on the public link upload page when the file list is hidden." : "Ky tekst do të shfaqet në linkun publik të faqes së ngarkuar kur lista e skedarit të jetë e fshehur.", "Limit to groups" : "Kufizo grupet", "Save changes" : "Ruaj ndryshimet", + "Default" : "Paraprake", "Remove" : "Hiqe", "Featured" : "I paraqitur", "Icon" : "Ikonë", diff --git a/apps/settings/l10n/sq.json b/apps/settings/l10n/sq.json index 1cbea7615e5..74eda7e5f28 100644 --- a/apps/settings/l10n/sq.json +++ b/apps/settings/l10n/sq.json @@ -86,6 +86,7 @@ "This text will be shown on the public link upload page when the file list is hidden." : "Ky tekst do të shfaqet në linkun publik të faqes së ngarkuar kur lista e skedarit të jetë e fshehur.", "Limit to groups" : "Kufizo grupet", "Save changes" : "Ruaj ndryshimet", + "Default" : "Paraprake", "Remove" : "Hiqe", "Featured" : "I paraqitur", "Icon" : "Ikonë", diff --git a/apps/settings/l10n/sr.js b/apps/settings/l10n/sr.js index 5a05640003c..99361f3eefe 100644 --- a/apps/settings/l10n/sr.js +++ b/apps/settings/l10n/sr.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "Администрација", "Users" : "Корисници", "Additional settings" : "Додатне поставке", - "Artificial Intelligence" : "Вештачка интелигенција", + "Assistant" : "Асистент", "Administration privileges" : "Привилегије за администрацију", "Groupware" : "Радни тимови", "Overview" : "Преглед", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "Календар", "Personal info" : "Лични подаци", "Mobile & desktop" : "Мобилни и десктоп", + "Artificial Intelligence" : "Вештачка интелигенција", "Email server" : "Сервер е-поште", "Mail Providers" : "Пружаоци услуге поште", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Пружалац услуге поште омогућава директно слање и-мејлова кроз корисников лични и-мејл налог. Тренутно је ова функционалност ограничена на календарске позивнице. Захтева Nextcloud Mail 4.1 и и-мејл налог у Nextcloud Mail који се подудара са корисниковом и-мејл адресом у Nextcloud.", @@ -344,7 +345,6 @@ OC.L10N.register( "Unified task processing" : "Обједињена обрада задатака", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "AI задатке могу да имплементирају разне апликације. Овде можете да подесите која ће се користити за који задатак.", "Allow AI usage for guest users" : "Дозволи да корисници гости користе AI", - "Task:" : "Задатак:", "Enable" : "Укључи", "None of your currently installed apps provide Task processing functionality" : "Ниједна од ваших тренутно инсталираних апликација не пружа функционалност обраде задатака", "Machine translation" : "Машинско превођење", @@ -354,6 +354,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Ниједна од ваших тренутно инсталираних апликација не пружа функционалност генерисања слике", "Text processing" : "Обрада текста", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Задатке обраде текста могу да имплементирају разне апликације. Овде можете да подесите која ће се користити за који задатак.", + "Task:" : "Задатак:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Ниједна од ваших тренутно инсталираних апликација не пружа функционалност обраде текста употребом API за обраду текста.", "Here you can decide which group can access certain sections of the administration settings." : "Овде можете да одлучите која група може да приступи одређеним деловима административних подешавања.", "Unable to modify setting" : "Подешавање не може да се измени", @@ -415,6 +416,10 @@ OC.L10N.register( "Excluded groups" : "Искључене групе", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Када се групе означе/искључе, користи се следећа логика да се закључи да ли се за налог захтева 2FA: ако није одабрана ниједна група, 2FA је укључен свима осим члановима искључених група. Ако има одабраних група, 2FA је укључен само њиховим члановима. Ако је налог у исто време у одабраној и у искљученој групи, одабрана група има предност и 2FA се захтева.", "Save changes" : "Сними измене", + "Default" : "Подразумевано", + "Registered Deploy daemons list" : "Листа регистрованих Даемона за постављање", + "No Deploy daemons configured" : "Није подешен ниједан Даемон за постављање", + "Register a custom one or setup from available templates" : "Региструјте произвољни или подесите неки према доступном шаблону", "Show details for {appName} app" : "Прикажи детаље апликације {appName}", "Update to {update}" : "Ажурирај на {update}", "Remove" : "Уклони", diff --git a/apps/settings/l10n/sr.json b/apps/settings/l10n/sr.json index dc85ca528b6..a19dc3c091b 100644 --- a/apps/settings/l10n/sr.json +++ b/apps/settings/l10n/sr.json @@ -108,7 +108,7 @@ "Administration" : "Администрација", "Users" : "Корисници", "Additional settings" : "Додатне поставке", - "Artificial Intelligence" : "Вештачка интелигенција", + "Assistant" : "Асистент", "Administration privileges" : "Привилегије за администрацију", "Groupware" : "Радни тимови", "Overview" : "Преглед", @@ -118,6 +118,7 @@ "Calendar" : "Календар", "Personal info" : "Лични подаци", "Mobile & desktop" : "Мобилни и десктоп", + "Artificial Intelligence" : "Вештачка интелигенција", "Email server" : "Сервер е-поште", "Mail Providers" : "Пружаоци услуге поште", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Пружалац услуге поште омогућава директно слање и-мејлова кроз корисников лични и-мејл налог. Тренутно је ова функционалност ограничена на календарске позивнице. Захтева Nextcloud Mail 4.1 и и-мејл налог у Nextcloud Mail који се подудара са корисниковом и-мејл адресом у Nextcloud.", @@ -342,7 +343,6 @@ "Unified task processing" : "Обједињена обрада задатака", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "AI задатке могу да имплементирају разне апликације. Овде можете да подесите која ће се користити за који задатак.", "Allow AI usage for guest users" : "Дозволи да корисници гости користе AI", - "Task:" : "Задатак:", "Enable" : "Укључи", "None of your currently installed apps provide Task processing functionality" : "Ниједна од ваших тренутно инсталираних апликација не пружа функционалност обраде задатака", "Machine translation" : "Машинско превођење", @@ -352,6 +352,7 @@ "None of your currently installed apps provide image generation functionality" : "Ниједна од ваших тренутно инсталираних апликација не пружа функционалност генерисања слике", "Text processing" : "Обрада текста", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Задатке обраде текста могу да имплементирају разне апликације. Овде можете да подесите која ће се користити за који задатак.", + "Task:" : "Задатак:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Ниједна од ваших тренутно инсталираних апликација не пружа функционалност обраде текста употребом API за обраду текста.", "Here you can decide which group can access certain sections of the administration settings." : "Овде можете да одлучите која група може да приступи одређеним деловима административних подешавања.", "Unable to modify setting" : "Подешавање не може да се измени", @@ -413,6 +414,10 @@ "Excluded groups" : "Искључене групе", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Када се групе означе/искључе, користи се следећа логика да се закључи да ли се за налог захтева 2FA: ако није одабрана ниједна група, 2FA је укључен свима осим члановима искључених група. Ако има одабраних група, 2FA је укључен само њиховим члановима. Ако је налог у исто време у одабраној и у искљученој групи, одабрана група има предност и 2FA се захтева.", "Save changes" : "Сними измене", + "Default" : "Подразумевано", + "Registered Deploy daemons list" : "Листа регистрованих Даемона за постављање", + "No Deploy daemons configured" : "Није подешен ниједан Даемон за постављање", + "Register a custom one or setup from available templates" : "Региструјте произвољни или подесите неки према доступном шаблону", "Show details for {appName} app" : "Прикажи детаље апликације {appName}", "Update to {update}" : "Ажурирај на {update}", "Remove" : "Уклони", diff --git a/apps/settings/l10n/sv.js b/apps/settings/l10n/sv.js index c8bcf8b9a0d..0fd716e6bff 100644 --- a/apps/settings/l10n/sv.js +++ b/apps/settings/l10n/sv.js @@ -109,7 +109,7 @@ OC.L10N.register( "Administration" : "Administration", "Users" : "Användare", "Additional settings" : "Övriga inställningar", - "Artificial Intelligence" : "Artificiell intelligens", + "Assistant" : "Assistent", "Administration privileges" : "Administreringsprivilegier", "Groupware" : "Grupprogram", "Overview" : "Översikt", @@ -119,6 +119,7 @@ OC.L10N.register( "Calendar" : "Kalender", "Personal info" : "Personlig information", "Mobile & desktop" : "Mobil & skrivbord", + "Artificial Intelligence" : "Artificiell intelligens", "Email server" : "E-postserver", "Mail Providers" : "E-postleverantörer", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "E-postleverantörer gör det möjligt att skicka e-post direkt via användarens personliga e-postkonto. För närvarande är denna funktionalitet begränsad till kalenderinbjudningar. Det kräver Nextcloud Mail 4.1 och ett e-postkonto i Nextcloud Mail som matchar användarens e-postadress i Nextcloud.", @@ -227,7 +228,6 @@ OC.L10N.register( "Profile information" : "Profilinformation", "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Profilbild, fullständigt namn, e-post, telefonnummer, adress, webbplats, Twitter, organisation, roll, rubrik, biografi och om din profil är aktiverad", "Nextcloud settings" : "Nextcloud-inställningar", - "Task:" : "Uppgift:", "Enable" : "Aktivera", "Machine translation" : "Maskinöversättning", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "Maskinöversättning kan implementeras av olika appar. Här kan du definiera prioritet för de maskinöversättningsappar som du har installerade.", @@ -236,6 +236,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Ingen av dina för närvarande installerade appar tillhandahåller bildgenereringsfunktioner", "Text processing" : "Textbehandling", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Textbearbetningsuppgifter kan implementeras av olika appar. Här kan du ställa in vilken app som ska användas för vilken uppgift.", + "Task:" : "Uppgift:", "Here you can decide which group can access certain sections of the administration settings." : "Här kan du bestämma vilken grupp som har tillgång till vissa delar av administrationsinställningarna.", "Unable to modify setting" : "Kunde inte ändra inställning.", "None" : "Ingen", @@ -286,6 +287,7 @@ OC.L10N.register( "Two-factor authentication is not enforced for members of the following groups." : "Tvåfaktorsautentisering är inte påtvingad för medlemmar i följande grupper.", "Excluded groups" : "Exkluderade grupper", "Save changes" : "Spara ändringar", + "Default" : "Förvald", "Show details for {appName} app" : "Visa detaljer för appen {appName}", "Update to {update}" : "Uppdatera till {update}", "Remove" : "Ta bort", diff --git a/apps/settings/l10n/sv.json b/apps/settings/l10n/sv.json index cdc16488fd4..97ecfe9c09a 100644 --- a/apps/settings/l10n/sv.json +++ b/apps/settings/l10n/sv.json @@ -107,7 +107,7 @@ "Administration" : "Administration", "Users" : "Användare", "Additional settings" : "Övriga inställningar", - "Artificial Intelligence" : "Artificiell intelligens", + "Assistant" : "Assistent", "Administration privileges" : "Administreringsprivilegier", "Groupware" : "Grupprogram", "Overview" : "Översikt", @@ -117,6 +117,7 @@ "Calendar" : "Kalender", "Personal info" : "Personlig information", "Mobile & desktop" : "Mobil & skrivbord", + "Artificial Intelligence" : "Artificiell intelligens", "Email server" : "E-postserver", "Mail Providers" : "E-postleverantörer", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "E-postleverantörer gör det möjligt att skicka e-post direkt via användarens personliga e-postkonto. För närvarande är denna funktionalitet begränsad till kalenderinbjudningar. Det kräver Nextcloud Mail 4.1 och ett e-postkonto i Nextcloud Mail som matchar användarens e-postadress i Nextcloud.", @@ -225,7 +226,6 @@ "Profile information" : "Profilinformation", "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Profilbild, fullständigt namn, e-post, telefonnummer, adress, webbplats, Twitter, organisation, roll, rubrik, biografi och om din profil är aktiverad", "Nextcloud settings" : "Nextcloud-inställningar", - "Task:" : "Uppgift:", "Enable" : "Aktivera", "Machine translation" : "Maskinöversättning", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "Maskinöversättning kan implementeras av olika appar. Här kan du definiera prioritet för de maskinöversättningsappar som du har installerade.", @@ -234,6 +234,7 @@ "None of your currently installed apps provide image generation functionality" : "Ingen av dina för närvarande installerade appar tillhandahåller bildgenereringsfunktioner", "Text processing" : "Textbehandling", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Textbearbetningsuppgifter kan implementeras av olika appar. Här kan du ställa in vilken app som ska användas för vilken uppgift.", + "Task:" : "Uppgift:", "Here you can decide which group can access certain sections of the administration settings." : "Här kan du bestämma vilken grupp som har tillgång till vissa delar av administrationsinställningarna.", "Unable to modify setting" : "Kunde inte ändra inställning.", "None" : "Ingen", @@ -284,6 +285,7 @@ "Two-factor authentication is not enforced for members of the following groups." : "Tvåfaktorsautentisering är inte påtvingad för medlemmar i följande grupper.", "Excluded groups" : "Exkluderade grupper", "Save changes" : "Spara ändringar", + "Default" : "Förvald", "Show details for {appName} app" : "Visa detaljer för appen {appName}", "Update to {update}" : "Uppdatera till {update}", "Remove" : "Ta bort", diff --git a/apps/settings/l10n/tr.js b/apps/settings/l10n/tr.js index 5d18d8f7ffa..68ac2277ece 100644 --- a/apps/settings/l10n/tr.js +++ b/apps/settings/l10n/tr.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "Yönetim", "Users" : "Kullanıcılar", "Additional settings" : "Ek ayarlar", - "Artificial Intelligence" : "Yapay Zeka", + "Assistant" : "Yardımcı", "Administration privileges" : "Yönetim yetkileri", "Groupware" : "Grup çalışması", "Overview" : "Özet", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "Takvim", "Personal info" : "Kişisel bilgiler", "Mobile & desktop" : "Mobil ve bilgisayar", + "Artificial Intelligence" : "Yapay Zeka", "Email server" : "E-posta sunucusu", "Mail Providers" : "E-posta hizmeti sağlayıcıları", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "E-posta hizmeti sağlayıcısı, e-postaları doğrudan kullanıcının kişisel e-posta hesabı üzerinden göndermeyi sağlar. Şu anda, bu özellik takvim davetleriyle sınırlıdır. Nextcloud Posta 4.1 ve Nextcloud Posta üzerinde kullanıcının Nextcloud e-posta adresiyle eşleşen bir e-posta hesabı gerekir.", @@ -344,7 +345,6 @@ OC.L10N.register( "Unified task processing" : "Birleştirilmiş görev işleme", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Yapay zeka görevleri farklı uygulamalardan sağlanabilir. Buradan, bu görev için hangi uygulamanın kullanılacağını ayarlayabilirsiniz.", "Allow AI usage for guest users" : "Konuk kullanıcılar YZ kullanabilsin", - "Task:" : "Görev:", "Enable" : "Kullanıma al", "None of your currently installed apps provide Task processing functionality" : "Kurulu uygulamaların hiçbirinde görev işleme özelliği yok", "Machine translation" : "Makine çevirisi", @@ -354,6 +354,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Kurulu uygulamaların hiçbirinde görsel oluşturma özelliği yok", "Text processing" : "Metin işleme", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Metin işleme özelliği farklı uygulamalardan sağlanabilir. Buradan, bu görev için hangi uygulamanın kullanılacağını ayarlayabilirsiniz.", + "Task:" : "Görev:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Kurulu uygulamaların hiçbirinde Metin İşleme API uygulamasını kullanan bir metin işleme özelliği yok", "Here you can decide which group can access certain sections of the administration settings." : "Hangi yönetici ayarlarına hangi grubun erişebileceğini bu bölümden belirleyebilirsiniz.", "Unable to modify setting" : "Ayar değiştirilemedi", @@ -417,6 +418,10 @@ OC.L10N.register( "Excluded groups" : "Uygulanmayacak gruplar", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Uygulanan ya da uygulanmayan gruplar belirtildiğinde, bir hesap için iki adımlı doğrulamanın zorunlu kılınıp kılınmayacağına şu şekilde karar verilir. Herhangi bir grup belirtilmemiş ise, uygulanmayan grupların üyeleri dışındaki tüm üyeler için iki adımlı doğrulama kullanılır. Belirtilmiş gruplar varsa, uygulanan bu grupların üyeleri için iki adımlı doğrulama kullanılır. Bir hesabın hem uygulanan hem de uygulanmayan gruplarda üyeliği varsa, uygulanan grupların önceliği vardır ve iki adımlı doğrulama zorunlu kılınır.", "Save changes" : "Değişiklikleri kaydet", + "Default" : "Varsayılan", + "Registered Deploy daemons list" : "Kaydedilmiş dağıtım arka plan işlemleri listesi", + "No Deploy daemons configured" : "Herhangi bir dağıtım arka plan işlemi yapılandırılmamış", + "Register a custom one or setup from available templates" : "Özel bir tane kaydedin ya da kullanılabilecek kalıplardan kurun", "Show details for {appName} app" : "{appName} uygulamasının ayrıntılarını görüntüle", "Update to {update}" : "{update} sürümüne güncelle", "Remove" : "Kaldır", diff --git a/apps/settings/l10n/tr.json b/apps/settings/l10n/tr.json index a2854f91139..58be80541ef 100644 --- a/apps/settings/l10n/tr.json +++ b/apps/settings/l10n/tr.json @@ -108,7 +108,7 @@ "Administration" : "Yönetim", "Users" : "Kullanıcılar", "Additional settings" : "Ek ayarlar", - "Artificial Intelligence" : "Yapay Zeka", + "Assistant" : "Yardımcı", "Administration privileges" : "Yönetim yetkileri", "Groupware" : "Grup çalışması", "Overview" : "Özet", @@ -118,6 +118,7 @@ "Calendar" : "Takvim", "Personal info" : "Kişisel bilgiler", "Mobile & desktop" : "Mobil ve bilgisayar", + "Artificial Intelligence" : "Yapay Zeka", "Email server" : "E-posta sunucusu", "Mail Providers" : "E-posta hizmeti sağlayıcıları", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "E-posta hizmeti sağlayıcısı, e-postaları doğrudan kullanıcının kişisel e-posta hesabı üzerinden göndermeyi sağlar. Şu anda, bu özellik takvim davetleriyle sınırlıdır. Nextcloud Posta 4.1 ve Nextcloud Posta üzerinde kullanıcının Nextcloud e-posta adresiyle eşleşen bir e-posta hesabı gerekir.", @@ -342,7 +343,6 @@ "Unified task processing" : "Birleştirilmiş görev işleme", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Yapay zeka görevleri farklı uygulamalardan sağlanabilir. Buradan, bu görev için hangi uygulamanın kullanılacağını ayarlayabilirsiniz.", "Allow AI usage for guest users" : "Konuk kullanıcılar YZ kullanabilsin", - "Task:" : "Görev:", "Enable" : "Kullanıma al", "None of your currently installed apps provide Task processing functionality" : "Kurulu uygulamaların hiçbirinde görev işleme özelliği yok", "Machine translation" : "Makine çevirisi", @@ -352,6 +352,7 @@ "None of your currently installed apps provide image generation functionality" : "Kurulu uygulamaların hiçbirinde görsel oluşturma özelliği yok", "Text processing" : "Metin işleme", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Metin işleme özelliği farklı uygulamalardan sağlanabilir. Buradan, bu görev için hangi uygulamanın kullanılacağını ayarlayabilirsiniz.", + "Task:" : "Görev:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Kurulu uygulamaların hiçbirinde Metin İşleme API uygulamasını kullanan bir metin işleme özelliği yok", "Here you can decide which group can access certain sections of the administration settings." : "Hangi yönetici ayarlarına hangi grubun erişebileceğini bu bölümden belirleyebilirsiniz.", "Unable to modify setting" : "Ayar değiştirilemedi", @@ -415,6 +416,10 @@ "Excluded groups" : "Uygulanmayacak gruplar", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Uygulanan ya da uygulanmayan gruplar belirtildiğinde, bir hesap için iki adımlı doğrulamanın zorunlu kılınıp kılınmayacağına şu şekilde karar verilir. Herhangi bir grup belirtilmemiş ise, uygulanmayan grupların üyeleri dışındaki tüm üyeler için iki adımlı doğrulama kullanılır. Belirtilmiş gruplar varsa, uygulanan bu grupların üyeleri için iki adımlı doğrulama kullanılır. Bir hesabın hem uygulanan hem de uygulanmayan gruplarda üyeliği varsa, uygulanan grupların önceliği vardır ve iki adımlı doğrulama zorunlu kılınır.", "Save changes" : "Değişiklikleri kaydet", + "Default" : "Varsayılan", + "Registered Deploy daemons list" : "Kaydedilmiş dağıtım arka plan işlemleri listesi", + "No Deploy daemons configured" : "Herhangi bir dağıtım arka plan işlemi yapılandırılmamış", + "Register a custom one or setup from available templates" : "Özel bir tane kaydedin ya da kullanılabilecek kalıplardan kurun", "Show details for {appName} app" : "{appName} uygulamasının ayrıntılarını görüntüle", "Update to {update}" : "{update} sürümüne güncelle", "Remove" : "Kaldır", diff --git a/apps/settings/l10n/ug.js b/apps/settings/l10n/ug.js index 8c52a2caefe..f32989b1892 100644 --- a/apps/settings/l10n/ug.js +++ b/apps/settings/l10n/ug.js @@ -109,7 +109,7 @@ OC.L10N.register( "Administration" : "Administration", "Users" : "ئىشلەتكۈچىلەر", "Additional settings" : "قوشۇمچە تەڭشەكلەر", - "Artificial Intelligence" : "سۈنئىي ئىدراك", + "Assistant" : "ياردەمچى", "Administration privileges" : "باشقۇرۇش ھوقۇقى", "Groupware" : "Groupware", "Overview" : "ئومۇمىي چۈشەنچە", @@ -119,6 +119,7 @@ OC.L10N.register( "Calendar" : "يىلنامە", "Personal info" : "شەخسىي ئۇچۇرلار", "Mobile & desktop" : "كۆچمە ۋە ئۈستەل يۈزى", + "Artificial Intelligence" : "سۈنئىي ئىدراك", "Email server" : "ئېلخەت مۇلازىمېتىرى", "Security & setup checks" : "بىخەتەرلىك ۋە تەڭشەش تەكشۈرۈشى", "Background jobs" : "ئارقا خىزمەت", @@ -313,7 +314,6 @@ OC.L10N.register( "Nextcloud settings" : "Nextcloud تەڭشىكى", "Unified task processing" : "بىر تۇتاش ۋەزىپە بىر تەرەپ قىلىش", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "سۈنئىي ئەقىل ۋەزىپىلىرىنى ئوخشىمىغان ئەپلەر ئارقىلىق ئەمەلگە ئاشۇرغىلى بولىدۇ. بۇ يەردە قايسى ئەپنى قايسى ۋەزىپە ئۈچۈن ئىشلىتىش كېرەكلىكىنى بەلگىلىيەلەيسىز.", - "Task:" : "ۋەزىپە:", "Enable" : "قوزغات", "None of your currently installed apps provide Task processing functionality" : "ھازىر قاچىلانغان ئەپلىرىڭىزنىڭ ھېچقايسىسى ۋەزىپە بىر تەرەپ قىلىش ئىقتىدارىنى تەمىنلىمەيدۇ", "Machine translation" : "ماشىنا تەرجىمىسى", @@ -323,6 +323,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "ھازىر قاچىلانغان ئەپلەرنىڭ ھېچقايسىسى رەسىم ھاسىل قىلىش ئىقتىدارى بىلەن تەمىنلىمەيدۇ", "Text processing" : "تېكىست بىر تەرەپ قىلىش", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "تېكىست بىر تەرەپ قىلىش ۋەزىپىلىرىنى ئوخشىمىغان ئەپلەر ئارقىلىق ئەمەلگە ئاشۇرغىلى بولىدۇ. بۇ يەردە قايسى ئەپنى قايسى ۋەزىپە ئۈچۈن ئىشلىتىش كېرەكلىكىنى بەلگىلىيەلەيسىز.", + "Task:" : "ۋەزىپە:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "ھازىر قاچىلانغان ئەپلەرنىڭ ھېچقايسىسى تېكىست بىر تەرەپ قىلىش API نى ئىشلىتىپ تېكىست بىر تەرەپ قىلىش ئىقتىدارىنى تەمىنلىمەيدۇ.", "Here you can decide which group can access certain sections of the administration settings." : "بۇ يەردە قايسى گۇرۇپپىنىڭ باشقۇرۇش تەڭشەكلىرىنىڭ بەزى بۆلەكلىرىنى زىيارەت قىلالايدىغانلىقىنى قارار قىلالايسىز.", "Unable to modify setting" : "تەڭشەكنى ئۆزگەرتەلمىدى", @@ -378,6 +379,10 @@ OC.L10N.register( "Excluded groups" : "چىقىرىۋېتىلگەن گۇرۇپپىلار", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "گۇرۇپپىلار تاللانغان / چىقىرىۋېتىلگەندە ، ئۇلار تۆۋەندىكى لوگىكا ئارقىلىق ھېساباتنىڭ 2FA ئىجرا قىلىنغان-قىلىنمىغانلىقىنى ئېنىقلايدۇ: ئەگەر گۇرۇپپا تاللانمىسا ، چىقىرىۋېتىلگەن گۇرۇپپا ئەزالىرىدىن باشقا ھەممە ئادەم ئۈچۈن 2FA قوزغىتىلىدۇ. ئەگەر گۇرۇپپىلار تاللانسا ، بۇلارنىڭ بارلىق ئەزالىرى ئۈچۈن 2FA قوزغىتىلغان. ئەگەر ھېسابات تاللانغان ۋە چىقىرىۋېتىلگەن گۇرۇپپىدا بولسا ، تاللانغانلار ئالدىنقى ئورۇنغا قويىدۇ ۋە 2FA ئىجرا قىلىنىدۇ.", "Save changes" : "ئۆزگەرتىشلەرنى ساقلاڭ", + "Default" : "كۆڭۈلدىكى", + "Registered Deploy daemons list" : "تىزىملاتقان دامونلار تىزىملىكى", + "No Deploy daemons configured" : "ھېچقانداق ئورۇنلاشتۇرۇش لايىھىسى سەپلەنمىگەن", + "Register a custom one or setup from available templates" : "ئىختىيارى قېلىپ ياكى تىزىملىتىڭ", "Show details for {appName} app" : "{appName} دېتالىنىڭ تەپسىلاتلىرىنى كۆرسىتىڭ", "Update to {update}" : "{update} غا يېڭىلاش", "Remove" : "چىقىرىۋەت", diff --git a/apps/settings/l10n/ug.json b/apps/settings/l10n/ug.json index 7b3529fef2c..ef6c22c0b50 100644 --- a/apps/settings/l10n/ug.json +++ b/apps/settings/l10n/ug.json @@ -107,7 +107,7 @@ "Administration" : "Administration", "Users" : "ئىشلەتكۈچىلەر", "Additional settings" : "قوشۇمچە تەڭشەكلەر", - "Artificial Intelligence" : "سۈنئىي ئىدراك", + "Assistant" : "ياردەمچى", "Administration privileges" : "باشقۇرۇش ھوقۇقى", "Groupware" : "Groupware", "Overview" : "ئومۇمىي چۈشەنچە", @@ -117,6 +117,7 @@ "Calendar" : "يىلنامە", "Personal info" : "شەخسىي ئۇچۇرلار", "Mobile & desktop" : "كۆچمە ۋە ئۈستەل يۈزى", + "Artificial Intelligence" : "سۈنئىي ئىدراك", "Email server" : "ئېلخەت مۇلازىمېتىرى", "Security & setup checks" : "بىخەتەرلىك ۋە تەڭشەش تەكشۈرۈشى", "Background jobs" : "ئارقا خىزمەت", @@ -311,7 +312,6 @@ "Nextcloud settings" : "Nextcloud تەڭشىكى", "Unified task processing" : "بىر تۇتاش ۋەزىپە بىر تەرەپ قىلىش", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "سۈنئىي ئەقىل ۋەزىپىلىرىنى ئوخشىمىغان ئەپلەر ئارقىلىق ئەمەلگە ئاشۇرغىلى بولىدۇ. بۇ يەردە قايسى ئەپنى قايسى ۋەزىپە ئۈچۈن ئىشلىتىش كېرەكلىكىنى بەلگىلىيەلەيسىز.", - "Task:" : "ۋەزىپە:", "Enable" : "قوزغات", "None of your currently installed apps provide Task processing functionality" : "ھازىر قاچىلانغان ئەپلىرىڭىزنىڭ ھېچقايسىسى ۋەزىپە بىر تەرەپ قىلىش ئىقتىدارىنى تەمىنلىمەيدۇ", "Machine translation" : "ماشىنا تەرجىمىسى", @@ -321,6 +321,7 @@ "None of your currently installed apps provide image generation functionality" : "ھازىر قاچىلانغان ئەپلەرنىڭ ھېچقايسىسى رەسىم ھاسىل قىلىش ئىقتىدارى بىلەن تەمىنلىمەيدۇ", "Text processing" : "تېكىست بىر تەرەپ قىلىش", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "تېكىست بىر تەرەپ قىلىش ۋەزىپىلىرىنى ئوخشىمىغان ئەپلەر ئارقىلىق ئەمەلگە ئاشۇرغىلى بولىدۇ. بۇ يەردە قايسى ئەپنى قايسى ۋەزىپە ئۈچۈن ئىشلىتىش كېرەكلىكىنى بەلگىلىيەلەيسىز.", + "Task:" : "ۋەزىپە:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "ھازىر قاچىلانغان ئەپلەرنىڭ ھېچقايسىسى تېكىست بىر تەرەپ قىلىش API نى ئىشلىتىپ تېكىست بىر تەرەپ قىلىش ئىقتىدارىنى تەمىنلىمەيدۇ.", "Here you can decide which group can access certain sections of the administration settings." : "بۇ يەردە قايسى گۇرۇپپىنىڭ باشقۇرۇش تەڭشەكلىرىنىڭ بەزى بۆلەكلىرىنى زىيارەت قىلالايدىغانلىقىنى قارار قىلالايسىز.", "Unable to modify setting" : "تەڭشەكنى ئۆزگەرتەلمىدى", @@ -376,6 +377,10 @@ "Excluded groups" : "چىقىرىۋېتىلگەن گۇرۇپپىلار", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "گۇرۇپپىلار تاللانغان / چىقىرىۋېتىلگەندە ، ئۇلار تۆۋەندىكى لوگىكا ئارقىلىق ھېساباتنىڭ 2FA ئىجرا قىلىنغان-قىلىنمىغانلىقىنى ئېنىقلايدۇ: ئەگەر گۇرۇپپا تاللانمىسا ، چىقىرىۋېتىلگەن گۇرۇپپا ئەزالىرىدىن باشقا ھەممە ئادەم ئۈچۈن 2FA قوزغىتىلىدۇ. ئەگەر گۇرۇپپىلار تاللانسا ، بۇلارنىڭ بارلىق ئەزالىرى ئۈچۈن 2FA قوزغىتىلغان. ئەگەر ھېسابات تاللانغان ۋە چىقىرىۋېتىلگەن گۇرۇپپىدا بولسا ، تاللانغانلار ئالدىنقى ئورۇنغا قويىدۇ ۋە 2FA ئىجرا قىلىنىدۇ.", "Save changes" : "ئۆزگەرتىشلەرنى ساقلاڭ", + "Default" : "كۆڭۈلدىكى", + "Registered Deploy daemons list" : "تىزىملاتقان دامونلار تىزىملىكى", + "No Deploy daemons configured" : "ھېچقانداق ئورۇنلاشتۇرۇش لايىھىسى سەپلەنمىگەن", + "Register a custom one or setup from available templates" : "ئىختىيارى قېلىپ ياكى تىزىملىتىڭ", "Show details for {appName} app" : "{appName} دېتالىنىڭ تەپسىلاتلىرىنى كۆرسىتىڭ", "Update to {update}" : "{update} غا يېڭىلاش", "Remove" : "چىقىرىۋەت", diff --git a/apps/settings/l10n/uk.js b/apps/settings/l10n/uk.js index 56a8d68be59..46eae517b63 100644 --- a/apps/settings/l10n/uk.js +++ b/apps/settings/l10n/uk.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "Адміністрування", "Users" : "Користувачі", "Additional settings" : "Додатково", - "Artificial Intelligence" : "Штучний інтелект", + "Assistant" : "Помічник", "Administration privileges" : "Права адміністратора", "Groupware" : "Робочі групи", "Overview" : "Огляд", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "Календар", "Personal info" : "Про мене", "Mobile & desktop" : "Застосунки для пристроїв", + "Artificial Intelligence" : "Штучний інтелект", "Email server" : "Сервер електронної пошти", "Mail Providers" : "Постачальники послуг ел.пошти", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Поштовий провайдер дозволяє надсилати електронні листи безпосередньо через особисту електронну скриньку користувача. Наразі ця функція обмежена запрошеннями календаря. Для цього потрібно мати встановлений застосунок Nextcloud Пошта версії 4.1 та налаштований у Nextcloud Mail обліковий запис електронної пошти, який зазначено у адресі ел.пошти користувача хмари Nextcloud.", @@ -344,7 +345,7 @@ OC.L10N.register( "Unified task processing" : "Централізована обробка завдань ", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Завдання штучного інтелекту можуть виконуватися різними програмами. Тут ви можете вказати, яку програму слід використовувати для виконання того чи іншого завдання.", "Allow AI usage for guest users" : "Дозволити використання ШІ для гостьових користувачів", - "Task:" : "Завдання:", + "Provider for Task types" : "Постачальник для типів завдань", "Enable" : "Увімкнути", "None of your currently installed apps provide Task processing functionality" : "Жодний зі встановлених застосунків не надає функціональність з обробки завдань", "Machine translation" : "Машинний переклад", @@ -354,6 +355,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Жодний зі встановлених застосунків не надає функціональність зі створення зображень", "Text processing" : "Обробка тексту", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Обробка тексту може здійснюватися за допомогою декількох застосунків. Тут ви можете визначити, який саме застосунок потрібно використати для певного завдання.", + "Task:" : "Завдання:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Жодний зі встановлених застосунків не надає функціональність API з обробки тексту", "Here you can decide which group can access certain sections of the administration settings." : "Тут ви можете вирішити, яка група матиме доступ до певних розділів налаштувань адміністрування.", "Unable to modify setting" : "Неможливо змінити налаштування", @@ -418,6 +420,10 @@ OC.L10N.register( "Excluded groups" : "Виключені групи", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Якщо вибрано/виключено групи, то застосовується така логіка визначення, чи до користувача застосовується двофакторна авторизація: якщо не вибрано жодної групи, двофакторну авторизацію ввімкнено для всіх, крім учасників виключених груп. Якщо вибрано групи, для всіх учасників увімкнено двофакторну авторизацію. Якщо користувач одночасно входить до вибраної групи та виключеної групи, то вибрана група має пріоритет і в такому випадку до цього користувача застосовується двофакторна авторизація.", "Save changes" : "Зберегти зміни", + "Default" : "Типово", + "Registered Deploy daemons list" : "Список зареєстрованих демонів розгортання", + "No Deploy daemons configured" : "Не налаштовано демонів розгортання", + "Register a custom one or setup from available templates" : "Зареєструвати власний або налаштувати з доступних шаблонів", "Show details for {appName} app" : "Показати деталі для застосунку {appName}", "Update to {update}" : "Оновити до {update}", "Remove" : "Вилучити", diff --git a/apps/settings/l10n/uk.json b/apps/settings/l10n/uk.json index e0f3c45739e..a818cf9def4 100644 --- a/apps/settings/l10n/uk.json +++ b/apps/settings/l10n/uk.json @@ -108,7 +108,7 @@ "Administration" : "Адміністрування", "Users" : "Користувачі", "Additional settings" : "Додатково", - "Artificial Intelligence" : "Штучний інтелект", + "Assistant" : "Помічник", "Administration privileges" : "Права адміністратора", "Groupware" : "Робочі групи", "Overview" : "Огляд", @@ -118,6 +118,7 @@ "Calendar" : "Календар", "Personal info" : "Про мене", "Mobile & desktop" : "Застосунки для пристроїв", + "Artificial Intelligence" : "Штучний інтелект", "Email server" : "Сервер електронної пошти", "Mail Providers" : "Постачальники послуг ел.пошти", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "Поштовий провайдер дозволяє надсилати електронні листи безпосередньо через особисту електронну скриньку користувача. Наразі ця функція обмежена запрошеннями календаря. Для цього потрібно мати встановлений застосунок Nextcloud Пошта версії 4.1 та налаштований у Nextcloud Mail обліковий запис електронної пошти, який зазначено у адресі ел.пошти користувача хмари Nextcloud.", @@ -342,7 +343,7 @@ "Unified task processing" : "Централізована обробка завдань ", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Завдання штучного інтелекту можуть виконуватися різними програмами. Тут ви можете вказати, яку програму слід використовувати для виконання того чи іншого завдання.", "Allow AI usage for guest users" : "Дозволити використання ШІ для гостьових користувачів", - "Task:" : "Завдання:", + "Provider for Task types" : "Постачальник для типів завдань", "Enable" : "Увімкнути", "None of your currently installed apps provide Task processing functionality" : "Жодний зі встановлених застосунків не надає функціональність з обробки завдань", "Machine translation" : "Машинний переклад", @@ -352,6 +353,7 @@ "None of your currently installed apps provide image generation functionality" : "Жодний зі встановлених застосунків не надає функціональність зі створення зображень", "Text processing" : "Обробка тексту", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Обробка тексту може здійснюватися за допомогою декількох застосунків. Тут ви можете визначити, який саме застосунок потрібно використати для певного завдання.", + "Task:" : "Завдання:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "Жодний зі встановлених застосунків не надає функціональність API з обробки тексту", "Here you can decide which group can access certain sections of the administration settings." : "Тут ви можете вирішити, яка група матиме доступ до певних розділів налаштувань адміністрування.", "Unable to modify setting" : "Неможливо змінити налаштування", @@ -416,6 +418,10 @@ "Excluded groups" : "Виключені групи", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "Якщо вибрано/виключено групи, то застосовується така логіка визначення, чи до користувача застосовується двофакторна авторизація: якщо не вибрано жодної групи, двофакторну авторизацію ввімкнено для всіх, крім учасників виключених груп. Якщо вибрано групи, для всіх учасників увімкнено двофакторну авторизацію. Якщо користувач одночасно входить до вибраної групи та виключеної групи, то вибрана група має пріоритет і в такому випадку до цього користувача застосовується двофакторна авторизація.", "Save changes" : "Зберегти зміни", + "Default" : "Типово", + "Registered Deploy daemons list" : "Список зареєстрованих демонів розгортання", + "No Deploy daemons configured" : "Не налаштовано демонів розгортання", + "Register a custom one or setup from available templates" : "Зареєструвати власний або налаштувати з доступних шаблонів", "Show details for {appName} app" : "Показати деталі для застосунку {appName}", "Update to {update}" : "Оновити до {update}", "Remove" : "Вилучити", diff --git a/apps/settings/l10n/vi.js b/apps/settings/l10n/vi.js index 1916d2459a5..1b62915ec2c 100644 --- a/apps/settings/l10n/vi.js +++ b/apps/settings/l10n/vi.js @@ -101,7 +101,6 @@ OC.L10N.register( "Administration" : "Quản trị viên", "Users" : "Người dùng", "Additional settings" : "Cài đặt bổ sung", - "Artificial Intelligence" : "Trí tuệ nhân tạo", "Administration privileges" : "Đặc quyền quản trị", "Groupware" : "Phần mềm nhóm", "Overview" : "Tổng quan", @@ -111,6 +110,7 @@ OC.L10N.register( "Calendar" : "Lịch", "Personal info" : "Thông tin cá nhân", "Mobile & desktop" : "Điện thoại di động và máy tính để bàn", + "Artificial Intelligence" : "Trí tuệ nhân tạo", "Email server" : "Máy chủ mail", "Background jobs" : "Các công việc trong nền", "Unlimited" : "Không giới hạn", @@ -138,7 +138,6 @@ OC.L10N.register( "Profile information" : "Thông tin cá nhân", "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Ảnh hồ sơ, tên đầy đủ, email, số điện thoại, địa chỉ, trang web, Twitter, tổ chức, vai trò, tiêu đề, tiểu sử và liệu hồ sơ của bạn có được bật hay không", "Nextcloud settings" : "Cài đặt Cloud", - "Task:" : "Tác vụ:", "Enable" : "Bật", "Machine translation" : "Dịch máy", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "Dịch máy có thể được thực hiện bởi các ứng dụng khác nhau. Tại đây, bạn có thể xác định mức độ ưu tiên của ứng dụng dịch máy mà bạn đã cài đặt vào lúc này.", @@ -147,6 +146,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "Không có ứng dụng nào bạn cài đặt hiện tại cung cấp chức năng tạo hình ảnh", "Text processing" : "Xử lý văn bản", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Các tác vụ xử lý mở rộng có thể được thực hiện bởi các ứng dụng khác nhau. Tại đây bạn có thể đặt ứng dụng nào sẽ được sử dụng cho tác vụ nào.", + "Task:" : "Tác vụ:", "Here you can decide which group can access certain sections of the administration settings." : "Tại đây bạn có thể quyết định nhóm nào có thể truy cập các phần nhất định của cài đặt quản trị.", "Unable to modify setting" : "Không thể sửa đổi cài đặt", "None" : "Không gì cả", diff --git a/apps/settings/l10n/vi.json b/apps/settings/l10n/vi.json index ee25e2dacfa..fce93e66b1c 100644 --- a/apps/settings/l10n/vi.json +++ b/apps/settings/l10n/vi.json @@ -99,7 +99,6 @@ "Administration" : "Quản trị viên", "Users" : "Người dùng", "Additional settings" : "Cài đặt bổ sung", - "Artificial Intelligence" : "Trí tuệ nhân tạo", "Administration privileges" : "Đặc quyền quản trị", "Groupware" : "Phần mềm nhóm", "Overview" : "Tổng quan", @@ -109,6 +108,7 @@ "Calendar" : "Lịch", "Personal info" : "Thông tin cá nhân", "Mobile & desktop" : "Điện thoại di động và máy tính để bàn", + "Artificial Intelligence" : "Trí tuệ nhân tạo", "Email server" : "Máy chủ mail", "Background jobs" : "Các công việc trong nền", "Unlimited" : "Không giới hạn", @@ -136,7 +136,6 @@ "Profile information" : "Thông tin cá nhân", "Profile picture, full name, email, phone number, address, website, Twitter, organisation, role, headline, biography, and whether your profile is enabled" : "Ảnh hồ sơ, tên đầy đủ, email, số điện thoại, địa chỉ, trang web, Twitter, tổ chức, vai trò, tiêu đề, tiểu sử và liệu hồ sơ của bạn có được bật hay không", "Nextcloud settings" : "Cài đặt Cloud", - "Task:" : "Tác vụ:", "Enable" : "Bật", "Machine translation" : "Dịch máy", "Machine translation can be implemented by different apps. Here you can define the precedence of the machine translation apps you have installed at the moment." : "Dịch máy có thể được thực hiện bởi các ứng dụng khác nhau. Tại đây, bạn có thể xác định mức độ ưu tiên của ứng dụng dịch máy mà bạn đã cài đặt vào lúc này.", @@ -145,6 +144,7 @@ "None of your currently installed apps provide image generation functionality" : "Không có ứng dụng nào bạn cài đặt hiện tại cung cấp chức năng tạo hình ảnh", "Text processing" : "Xử lý văn bản", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "Các tác vụ xử lý mở rộng có thể được thực hiện bởi các ứng dụng khác nhau. Tại đây bạn có thể đặt ứng dụng nào sẽ được sử dụng cho tác vụ nào.", + "Task:" : "Tác vụ:", "Here you can decide which group can access certain sections of the administration settings." : "Tại đây bạn có thể quyết định nhóm nào có thể truy cập các phần nhất định của cài đặt quản trị.", "Unable to modify setting" : "Không thể sửa đổi cài đặt", "None" : "Không gì cả", diff --git a/apps/settings/l10n/zh_CN.js b/apps/settings/l10n/zh_CN.js index e343e241597..0ada283f2ac 100644 --- a/apps/settings/l10n/zh_CN.js +++ b/apps/settings/l10n/zh_CN.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "管理", "Users" : "用户", "Additional settings" : "其他设置", - "Artificial Intelligence" : "人工智能", + "Assistant" : "助手", "Administration privileges" : "管理权限", "Groupware" : "协作套件", "Overview" : "概览", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "日历", "Personal info" : "个人信息", "Mobile & desktop" : "手机与电脑", + "Artificial Intelligence" : "人工智能", "Email server" : "电子邮件服务器", "Mail Providers" : "邮件提供商", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "邮件提供商允许直接通过用户的个人电子邮件帐户发送电子邮件。目前,此功能仅限于日历邀请。它需要 Nextcloud Mail 4.1 和 Nextcloud Mail 中与用户在 Nextcloud 中的电子邮件地址匹配的电子邮件帐户。", @@ -344,7 +345,6 @@ OC.L10N.register( "Unified task processing" : "统一任务处理", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "AI 任务可以由不同的应用程序执行。在这里您可以设置哪个应用程序应该用于哪个任务。", "Allow AI usage for guest users" : "允许访客用户使用 AI", - "Task:" : "任务:", "Enable" : "启用", "None of your currently installed apps provide Task processing functionality" : "您当前安装的应用程序均不提供任务处理功能", "Machine translation" : "机器翻译", @@ -354,6 +354,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "您目前安装的应用都不提供图像生成功能", "Text processing" : "文本处理", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "文本处理任务可由不同的应用程序执行。在这里,您可以设置哪个应用程序用于执行哪个任务。", + "Task:" : "任务:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "您当前安装的应用程序均未提供使用文本处理 API 的文本处理功能。", "Here you can decide which group can access certain sections of the administration settings." : "您可以在此决定哪个组可以访问管理设置的特定部分。", "Unable to modify setting" : "无法更改设置", @@ -418,6 +419,10 @@ OC.L10N.register( "Excluded groups" : "排除群组", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "选择/排除 组时,它们使用以下逻辑来确定帐户是否强制执行 2FA:如果未选择任何组,则将为除排除组的成员之外的所有人启用 2FA。 如果选择组,则会为其中的所有成员启用 2FA。 如果账户同时位于选定组和排除组中,则选定组优先并强制执行 2FA。", "Save changes" : "保存修改", + "Default" : "默认", + "Registered Deploy daemons list" : "已注册的部署守护进程列表", + "No Deploy daemons configured" : "没有部署守护进程配置", + "Register a custom one or setup from available templates" : "注册自定义模板或从可用模板进行安装", "Show details for {appName} app" : "显示应用 {appName} 的详细信息", "Update to {update}" : "更新至 {update}", "Remove" : "移除", diff --git a/apps/settings/l10n/zh_CN.json b/apps/settings/l10n/zh_CN.json index 2ca450a94cd..c22a50fefb7 100644 --- a/apps/settings/l10n/zh_CN.json +++ b/apps/settings/l10n/zh_CN.json @@ -108,7 +108,7 @@ "Administration" : "管理", "Users" : "用户", "Additional settings" : "其他设置", - "Artificial Intelligence" : "人工智能", + "Assistant" : "助手", "Administration privileges" : "管理权限", "Groupware" : "协作套件", "Overview" : "概览", @@ -118,6 +118,7 @@ "Calendar" : "日历", "Personal info" : "个人信息", "Mobile & desktop" : "手机与电脑", + "Artificial Intelligence" : "人工智能", "Email server" : "电子邮件服务器", "Mail Providers" : "邮件提供商", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "邮件提供商允许直接通过用户的个人电子邮件帐户发送电子邮件。目前,此功能仅限于日历邀请。它需要 Nextcloud Mail 4.1 和 Nextcloud Mail 中与用户在 Nextcloud 中的电子邮件地址匹配的电子邮件帐户。", @@ -342,7 +343,6 @@ "Unified task processing" : "统一任务处理", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "AI 任务可以由不同的应用程序执行。在这里您可以设置哪个应用程序应该用于哪个任务。", "Allow AI usage for guest users" : "允许访客用户使用 AI", - "Task:" : "任务:", "Enable" : "启用", "None of your currently installed apps provide Task processing functionality" : "您当前安装的应用程序均不提供任务处理功能", "Machine translation" : "机器翻译", @@ -352,6 +352,7 @@ "None of your currently installed apps provide image generation functionality" : "您目前安装的应用都不提供图像生成功能", "Text processing" : "文本处理", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "文本处理任务可由不同的应用程序执行。在这里,您可以设置哪个应用程序用于执行哪个任务。", + "Task:" : "任务:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "您当前安装的应用程序均未提供使用文本处理 API 的文本处理功能。", "Here you can decide which group can access certain sections of the administration settings." : "您可以在此决定哪个组可以访问管理设置的特定部分。", "Unable to modify setting" : "无法更改设置", @@ -416,6 +417,10 @@ "Excluded groups" : "排除群组", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "选择/排除 组时,它们使用以下逻辑来确定帐户是否强制执行 2FA:如果未选择任何组,则将为除排除组的成员之外的所有人启用 2FA。 如果选择组,则会为其中的所有成员启用 2FA。 如果账户同时位于选定组和排除组中,则选定组优先并强制执行 2FA。", "Save changes" : "保存修改", + "Default" : "默认", + "Registered Deploy daemons list" : "已注册的部署守护进程列表", + "No Deploy daemons configured" : "没有部署守护进程配置", + "Register a custom one or setup from available templates" : "注册自定义模板或从可用模板进行安装", "Show details for {appName} app" : "显示应用 {appName} 的详细信息", "Update to {update}" : "更新至 {update}", "Remove" : "移除", diff --git a/apps/settings/l10n/zh_HK.js b/apps/settings/l10n/zh_HK.js index 727d9de2a13..775b486d6d6 100644 --- a/apps/settings/l10n/zh_HK.js +++ b/apps/settings/l10n/zh_HK.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "管理", "Users" : "用戶", "Additional settings" : "其他設定", - "Artificial Intelligence" : "人工智能", + "Assistant" : "助手", "Administration privileges" : "管理員權限", "Groupware" : "協作應用程式", "Overview" : "概覽", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "日曆", "Personal info" : "個人資訊", "Mobile & desktop" : "手提電話及電腦", + "Artificial Intelligence" : "人工智能", "Email server" : "電郵伺服器", "Mail Providers" : "郵件提供者", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "郵件提供者可直接透過使用者的個人電子郵件帳號傳送電子郵件。目前,此功能僅限於行事曆邀請。它需要 Nextcloud Mail 4.1,以及 Nextcloud Mail 中與使用者在 Nextcloud 中的電子郵件位址相符的電子郵件帳號。", @@ -344,7 +345,7 @@ OC.L10N.register( "Unified task processing" : "統一任務處理", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "人工智能任務可以由不同的應用程式來實現。 您可以在此處設置哪個應用程式應用於哪個任務。", "Allow AI usage for guest users" : "允許訪客使用者使用 AI", - "Task:" : "任務︰", + "Provider for Task types" : "任務類型提供者", "Enable" : "啟用", "None of your currently installed apps provide Task processing functionality" : "您目前已安裝的應用程式均不提供任務處理功能", "Machine translation" : "機器翻譯", @@ -354,6 +355,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "您目前已安裝的應用程式均不提供圖像產生功能", "Text processing" : "正在處理文字", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "文字處理任務可以由不同的應用程式來實現。 您可以在此處設置哪個應用程式應用於哪個任務。", + "Task:" : "任務︰", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "您目前安裝的應用程式均不提供使用文字處理 API 的文字處理功能。", "Here you can decide which group can access certain sections of the administration settings." : "您可以在此決定哪個群組可以存取哪些管理設定。", "Unable to modify setting" : "無法修改設定", @@ -418,6 +420,10 @@ OC.L10N.register( "Excluded groups" : "排除的群組", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "選擇/排除群組時,其使用以下邏輯來確定帳戶是否強制啟用雙因素驗證:如果沒有選擇群組,雙因素驗證對所有除了排除群組以外的成員啟用。若選擇了群組,則雙因素驗證會對所有該群組的成員啟用。如果某個帳戶同時位在選擇與排除的群組,則被選擇的群組優先程度較高,因此會強制啟用雙因素驗證。", "Save changes" : "儲存變更", + "Default" : "默認", + "Registered Deploy daemons list" : "已註冊的部署幕後程式清單", + "No Deploy daemons configured" : "未設定部署幕後程式", + "Register a custom one or setup from available templates" : "從可用範本註冊自訂範本或設定", "Show details for {appName} app" : "顯示 {appName} 應用程式的詳細資訊", "Update to {update}" : "更新到 {update}", "Remove" : "移除", diff --git a/apps/settings/l10n/zh_HK.json b/apps/settings/l10n/zh_HK.json index f6923e90355..9c9dbb6f271 100644 --- a/apps/settings/l10n/zh_HK.json +++ b/apps/settings/l10n/zh_HK.json @@ -108,7 +108,7 @@ "Administration" : "管理", "Users" : "用戶", "Additional settings" : "其他設定", - "Artificial Intelligence" : "人工智能", + "Assistant" : "助手", "Administration privileges" : "管理員權限", "Groupware" : "協作應用程式", "Overview" : "概覽", @@ -118,6 +118,7 @@ "Calendar" : "日曆", "Personal info" : "個人資訊", "Mobile & desktop" : "手提電話及電腦", + "Artificial Intelligence" : "人工智能", "Email server" : "電郵伺服器", "Mail Providers" : "郵件提供者", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "郵件提供者可直接透過使用者的個人電子郵件帳號傳送電子郵件。目前,此功能僅限於行事曆邀請。它需要 Nextcloud Mail 4.1,以及 Nextcloud Mail 中與使用者在 Nextcloud 中的電子郵件位址相符的電子郵件帳號。", @@ -342,7 +343,7 @@ "Unified task processing" : "統一任務處理", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "人工智能任務可以由不同的應用程式來實現。 您可以在此處設置哪個應用程式應用於哪個任務。", "Allow AI usage for guest users" : "允許訪客使用者使用 AI", - "Task:" : "任務︰", + "Provider for Task types" : "任務類型提供者", "Enable" : "啟用", "None of your currently installed apps provide Task processing functionality" : "您目前已安裝的應用程式均不提供任務處理功能", "Machine translation" : "機器翻譯", @@ -352,6 +353,7 @@ "None of your currently installed apps provide image generation functionality" : "您目前已安裝的應用程式均不提供圖像產生功能", "Text processing" : "正在處理文字", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "文字處理任務可以由不同的應用程式來實現。 您可以在此處設置哪個應用程式應用於哪個任務。", + "Task:" : "任務︰", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "您目前安裝的應用程式均不提供使用文字處理 API 的文字處理功能。", "Here you can decide which group can access certain sections of the administration settings." : "您可以在此決定哪個群組可以存取哪些管理設定。", "Unable to modify setting" : "無法修改設定", @@ -416,6 +418,10 @@ "Excluded groups" : "排除的群組", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "選擇/排除群組時,其使用以下邏輯來確定帳戶是否強制啟用雙因素驗證:如果沒有選擇群組,雙因素驗證對所有除了排除群組以外的成員啟用。若選擇了群組,則雙因素驗證會對所有該群組的成員啟用。如果某個帳戶同時位在選擇與排除的群組,則被選擇的群組優先程度較高,因此會強制啟用雙因素驗證。", "Save changes" : "儲存變更", + "Default" : "默認", + "Registered Deploy daemons list" : "已註冊的部署幕後程式清單", + "No Deploy daemons configured" : "未設定部署幕後程式", + "Register a custom one or setup from available templates" : "從可用範本註冊自訂範本或設定", "Show details for {appName} app" : "顯示 {appName} 應用程式的詳細資訊", "Update to {update}" : "更新到 {update}", "Remove" : "移除", diff --git a/apps/settings/l10n/zh_TW.js b/apps/settings/l10n/zh_TW.js index c9c99e8ab97..9806745beea 100644 --- a/apps/settings/l10n/zh_TW.js +++ b/apps/settings/l10n/zh_TW.js @@ -110,7 +110,7 @@ OC.L10N.register( "Administration" : "管理", "Users" : "使用者", "Additional settings" : "其他設定", - "Artificial Intelligence" : "人工智慧", + "Assistant" : "助理", "Administration privileges" : "管理員職權", "Groupware" : "協作應用", "Overview" : "概覽", @@ -120,6 +120,7 @@ OC.L10N.register( "Calendar" : "行事曆", "Personal info" : "個人資訊", "Mobile & desktop" : "行動裝置及桌面", + "Artificial Intelligence" : "人工智慧", "Email server" : "電子郵件伺服器", "Mail Providers" : "郵件提供者", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "郵件提供者可直接透過使用者的個人電子郵件帳號傳送電子郵件。目前,此功能僅限於行事曆邀請。它需要 Nextcloud Mail 4.1,以及 Nextcloud Mail 中與使用者在 Nextcloud 中的電子郵件位址相符的電子郵件帳號。", @@ -344,7 +345,7 @@ OC.L10N.register( "Unified task processing" : "統一任務處理", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "人工智慧任務可以透過不同的應用程式實作。您可以在此處設定要使用哪個應用程式。", "Allow AI usage for guest users" : "允許訪客使用者使用 AI", - "Task:" : "任務:", + "Provider for Task types" : "任務類型提供者", "Enable" : "啟用", "None of your currently installed apps provide Task processing functionality" : "您目前安裝的應用程式均不提供任務處理功能", "Machine translation" : "機器翻譯", @@ -354,6 +355,7 @@ OC.L10N.register( "None of your currently installed apps provide image generation functionality" : "您目前安裝的應用程式均不提供產生影像功能", "Text processing" : "文字處理", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "文字處理任務可以透過不同的應用程式實作。您可以在此處設定要使用哪個應用程式。", + "Task:" : "任務:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "您目前安裝的應用程式均不提供使用文字處理 API 的文字處理功能。", "Here you can decide which group can access certain sections of the administration settings." : "您可以在此決定哪些群組可以取用特定的管理區段設定。", "Unable to modify setting" : "無法修改設定", @@ -418,6 +420,10 @@ OC.L10N.register( "Excluded groups" : "排除的群組", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "選取/排除群組時,其使用以下邏輯來確定帳號是否強制啟用雙因素驗證:如果沒有選取群組,雙因素驗證對所有除了排除群組以外的成員啟用。若選取了群組,則雙因素驗證會對所有該群組的成員啟用。如果某個帳號同時位在選取與排除的群組,則被選取的群組優先程度較高,因此會強制啟用雙因素驗證。", "Save changes" : "儲存變更", + "Default" : "預設", + "Registered Deploy daemons list" : "已註冊的部署幕後程式清單", + "No Deploy daemons configured" : "未設定部署幕後程式", + "Register a custom one or setup from available templates" : "從可用範本註冊自訂範本或設定", "Show details for {appName} app" : "顯示 {appName} 應用程式的詳細資訊", "Update to {update}" : "更新到 {update}", "Remove" : "移除", @@ -619,6 +625,7 @@ OC.L10N.register( "Your biography. Markdown is supported." : "您的自傳。支援 Markdown。", "Unable to update date of birth" : "無法更新出生日期", "Enter your date of birth" : "輸入您的出生日期", + "Bluesky handle" : "Bluesky 帳號", "You are using {s}{usage}{/s}" : "您已使用 {s}{usage}{/s}", "You are using {s}{usage}{/s} of {s}{totalSpace}{/s} ({s}{usageRelative}%{/s})" : "您已使用 {s}{usage}{/s},總儲存空間{s}{totalSpace}{/s} ({s}{usageRelative}%{/s})", "You are a member of the following groups:" : "您是下列群組的成員︰", @@ -810,6 +817,7 @@ OC.L10N.register( "Pronouns" : "代名詞", "Role" : "職位", "X (formerly Twitter)" : "X(前身為 Twitter)", + "Bluesky" : "Bluesky", "Website" : "網站", "Profile visibility" : "個人檔案能見度", "Locale" : "地區設定", diff --git a/apps/settings/l10n/zh_TW.json b/apps/settings/l10n/zh_TW.json index 697673f8a55..9f4cbb94344 100644 --- a/apps/settings/l10n/zh_TW.json +++ b/apps/settings/l10n/zh_TW.json @@ -108,7 +108,7 @@ "Administration" : "管理", "Users" : "使用者", "Additional settings" : "其他設定", - "Artificial Intelligence" : "人工智慧", + "Assistant" : "助理", "Administration privileges" : "管理員職權", "Groupware" : "協作應用", "Overview" : "概覽", @@ -118,6 +118,7 @@ "Calendar" : "行事曆", "Personal info" : "個人資訊", "Mobile & desktop" : "行動裝置及桌面", + "Artificial Intelligence" : "人工智慧", "Email server" : "電子郵件伺服器", "Mail Providers" : "郵件提供者", "Mail provider enables sending emails directly through the user's personal email account. At present, this functionality is limited to calendar invitations. It requires Nextcloud Mail 4.1 and an email account in Nextcloud Mail that matches the user's email address in Nextcloud." : "郵件提供者可直接透過使用者的個人電子郵件帳號傳送電子郵件。目前,此功能僅限於行事曆邀請。它需要 Nextcloud Mail 4.1,以及 Nextcloud Mail 中與使用者在 Nextcloud 中的電子郵件位址相符的電子郵件帳號。", @@ -342,7 +343,7 @@ "Unified task processing" : "統一任務處理", "AI tasks can be implemented by different apps. Here you can set which app should be used for which task." : "人工智慧任務可以透過不同的應用程式實作。您可以在此處設定要使用哪個應用程式。", "Allow AI usage for guest users" : "允許訪客使用者使用 AI", - "Task:" : "任務:", + "Provider for Task types" : "任務類型提供者", "Enable" : "啟用", "None of your currently installed apps provide Task processing functionality" : "您目前安裝的應用程式均不提供任務處理功能", "Machine translation" : "機器翻譯", @@ -352,6 +353,7 @@ "None of your currently installed apps provide image generation functionality" : "您目前安裝的應用程式均不提供產生影像功能", "Text processing" : "文字處理", "Text processing tasks can be implemented by different apps. Here you can set which app should be used for which task." : "文字處理任務可以透過不同的應用程式實作。您可以在此處設定要使用哪個應用程式。", + "Task:" : "任務:", "None of your currently installed apps provide text processing functionality using the Text Processing API." : "您目前安裝的應用程式均不提供使用文字處理 API 的文字處理功能。", "Here you can decide which group can access certain sections of the administration settings." : "您可以在此決定哪些群組可以取用特定的管理區段設定。", "Unable to modify setting" : "無法修改設定", @@ -416,6 +418,10 @@ "Excluded groups" : "排除的群組", "When groups are selected/excluded, they use the following logic to determine if an account has 2FA enforced: If no groups are selected, 2FA is enabled for everyone except members of the excluded groups. If groups are selected, 2FA is enabled for all members of these. If an account is both in a selected and excluded group, the selected takes precedence and 2FA is enforced." : "選取/排除群組時,其使用以下邏輯來確定帳號是否強制啟用雙因素驗證:如果沒有選取群組,雙因素驗證對所有除了排除群組以外的成員啟用。若選取了群組,則雙因素驗證會對所有該群組的成員啟用。如果某個帳號同時位在選取與排除的群組,則被選取的群組優先程度較高,因此會強制啟用雙因素驗證。", "Save changes" : "儲存變更", + "Default" : "預設", + "Registered Deploy daemons list" : "已註冊的部署幕後程式清單", + "No Deploy daemons configured" : "未設定部署幕後程式", + "Register a custom one or setup from available templates" : "從可用範本註冊自訂範本或設定", "Show details for {appName} app" : "顯示 {appName} 應用程式的詳細資訊", "Update to {update}" : "更新到 {update}", "Remove" : "移除", @@ -617,6 +623,7 @@ "Your biography. Markdown is supported." : "您的自傳。支援 Markdown。", "Unable to update date of birth" : "無法更新出生日期", "Enter your date of birth" : "輸入您的出生日期", + "Bluesky handle" : "Bluesky 帳號", "You are using {s}{usage}{/s}" : "您已使用 {s}{usage}{/s}", "You are using {s}{usage}{/s} of {s}{totalSpace}{/s} ({s}{usageRelative}%{/s})" : "您已使用 {s}{usage}{/s},總儲存空間{s}{totalSpace}{/s} ({s}{usageRelative}%{/s})", "You are a member of the following groups:" : "您是下列群組的成員︰", @@ -808,6 +815,7 @@ "Pronouns" : "代名詞", "Role" : "職位", "X (formerly Twitter)" : "X(前身為 Twitter)", + "Bluesky" : "Bluesky", "Website" : "網站", "Profile visibility" : "個人檔案能見度", "Locale" : "地區設定", diff --git a/apps/settings/src/app-types.ts b/apps/settings/src/app-types.ts index 49f0d5a1709..0c448ca907c 100644 --- a/apps/settings/src/app-types.ts +++ b/apps/settings/src/app-types.ts @@ -75,6 +75,7 @@ export interface IDeployDaemon { id: number, name: string, protocol: string, + exAppsCount: number, } export interface IExAppStatus { diff --git a/apps/settings/src/components/AppAPI/DaemonSelectionDialog.vue b/apps/settings/src/components/AppAPI/DaemonSelectionDialog.vue new file mode 100644 index 00000000000..696c77d19ce --- /dev/null +++ b/apps/settings/src/components/AppAPI/DaemonSelectionDialog.vue @@ -0,0 +1,41 @@ +<!-- + - SPDX-FileCopyrightText: 2025 Nextcloud GmbH and Nextcloud contributors + - SPDX-License-Identifier: AGPL-3.0-or-later +--> +<template> + <NcDialog :open="show" + :name="t('settings', 'Choose Deploy Daemon for {appName}', {appName: app.name })" + size="normal" + @update:open="closeModal"> + <DaemonSelectionList :app="app" + :deploy-options="deployOptions" + @close="closeModal" /> + </NcDialog> +</template> + +<script setup> +import { defineProps, defineEmits } from 'vue' +import NcDialog from '@nextcloud/vue/components/NcDialog' +import DaemonSelectionList from './DaemonSelectionList.vue' + +defineProps({ + show: { + type: Boolean, + required: true, + }, + app: { + type: Object, + required: true, + }, + deployOptions: { + type: Object, + required: false, + default: () => ({}), + }, +}) + +const emit = defineEmits(['update:show']) +const closeModal = () => { + emit('update:show', false) +} +</script> diff --git a/apps/settings/src/components/AppAPI/DaemonSelectionEntry.vue b/apps/settings/src/components/AppAPI/DaemonSelectionEntry.vue new file mode 100644 index 00000000000..6b1cefde032 --- /dev/null +++ b/apps/settings/src/components/AppAPI/DaemonSelectionEntry.vue @@ -0,0 +1,77 @@ +<!-- + - SPDX-FileCopyrightText: 2025 Nextcloud GmbH and Nextcloud contributors + - SPDX-License-Identifier: AGPL-3.0-or-later +--> +<template> + <NcListItem :name="itemTitle" + :details="isDefault ? t('settings', 'Default') : ''" + :force-display-actions="true" + :counter-number="daemon.exAppsCount" + :active="isDefault" + counter-type="highlighted" + @click.stop="selectDaemonAndInstall"> + <template #subname> + {{ daemon.accepts_deploy_id }} + </template> + </NcListItem> +</template> + +<script> +import NcListItem from '@nextcloud/vue/components/NcListItem' +import AppManagement from '../../mixins/AppManagement.js' +import { useAppsStore } from '../../store/apps-store' +import { useAppApiStore } from '../../store/app-api-store' + +export default { + name: 'DaemonSelectionEntry', + components: { + NcListItem, + }, + mixins: [AppManagement], // TODO: Convert to Composition API when AppManagement is refactored + props: { + daemon: { + type: Object, + required: true, + }, + isDefault: { + type: Boolean, + required: true, + }, + app: { + type: Object, + required: true, + }, + deployOptions: { + type: Object, + required: false, + default: () => ({}), + }, + }, + setup() { + const store = useAppsStore() + const appApiStore = useAppApiStore() + + return { + store, + appApiStore, + } + }, + computed: { + itemTitle() { + return this.daemon.name + ' - ' + this.daemon.display_name + }, + daemons() { + return this.appApiStore.dockerDaemons + }, + }, + methods: { + closeModal() { + this.$emit('close') + }, + selectDaemonAndInstall() { + this.closeModal() + this.enable(this.app.id, this.daemon, this.deployOptions) + }, + }, +} +</script> diff --git a/apps/settings/src/components/AppAPI/DaemonSelectionList.vue b/apps/settings/src/components/AppAPI/DaemonSelectionList.vue new file mode 100644 index 00000000000..701a17dbe24 --- /dev/null +++ b/apps/settings/src/components/AppAPI/DaemonSelectionList.vue @@ -0,0 +1,77 @@ +<!-- + - SPDX-FileCopyrightText: 2025 Nextcloud GmbH and Nextcloud contributors + - SPDX-License-Identifier: AGPL-3.0-or-later +--> +<template> + <div class="daemon-selection-list"> + <ul v-if="dockerDaemons.length > 0" + :aria-label="t('settings', 'Registered Deploy daemons list')"> + <DaemonSelectionEntry v-for="daemon in dockerDaemons" + :key="daemon.id" + :daemon="daemon" + :is-default="defaultDaemon.name === daemon.name" + :app="app" + :deploy-options="deployOptions" + @close="closeModal" /> + </ul> + <NcEmptyContent v-else + class="daemon-selection-list__empty-content" + :name="t('settings', 'No Deploy daemons configured')" + :description="t('settings', 'Register a custom one or setup from available templates')"> + <template #icon> + <FormatListBullet :size="20" /> + </template> + <template #action> + <NcButton :href="appApiAdminPage"> + {{ t('settings', 'Manage Deploy daemons') }} + </NcButton> + </template> + </NcEmptyContent> + </div> +</template> + +<script setup> +import { computed, defineProps } from 'vue' +import { generateUrl } from '@nextcloud/router' + +import NcEmptyContent from '@nextcloud/vue/components/NcEmptyContent' +import NcButton from '@nextcloud/vue/components/NcButton' +import FormatListBullet from 'vue-material-design-icons/FormatListBulleted.vue' +import DaemonSelectionEntry from './DaemonSelectionEntry.vue' +import { useAppApiStore } from '../../store/app-api-store.ts' + +defineProps({ + app: { + type: Object, + required: true, + }, + deployOptions: { + type: Object, + required: false, + default: () => ({}), + }, +}) + +const appApiStore = useAppApiStore() + +const dockerDaemons = computed(() => appApiStore.dockerDaemons) +const defaultDaemon = computed(() => appApiStore.defaultDaemon) +const appApiAdminPage = computed(() => generateUrl('/settings/admin/app_api')) +const emit = defineEmits(['close']) +const closeModal = () => { + emit('close') +} +</script> + +<style scoped lang="scss"> +.daemon-selection-list { + max-height: 350px; + overflow-y: scroll; + padding: 2rem; + + &__empty-content { + margin-top: 0; + text-align: center; + } +} +</style> diff --git a/apps/settings/src/components/AppList/AppItem.vue b/apps/settings/src/components/AppList/AppItem.vue index d0f39f3c74a..95a98a93cde 100644 --- a/apps/settings/src/components/AppList/AppItem.vue +++ b/apps/settings/src/components/AppList/AppItem.vue @@ -100,7 +100,7 @@ :aria-label="enableButtonTooltip" type="primary" :disabled="!app.canInstall || installing || isLoading || !defaultDeployDaemonAccessible || isInitializing || isDeploying" - @click.stop="enable(app.id)"> + @click.stop="enableButtonAction"> {{ enableButtonText }} </NcButton> <NcButton v-else-if="!app.active" @@ -111,6 +111,10 @@ @click.stop="forceEnable(app.id)"> {{ forceEnableButtonText }} </NcButton> + + <DaemonSelectionDialog v-if="app?.app_api && showSelectDaemonModal" + :show.sync="showSelectDaemonModal" + :app="app" /> </component> </component> </template> @@ -126,6 +130,7 @@ import NcButton from '@nextcloud/vue/components/NcButton' import NcIconSvgWrapper from '@nextcloud/vue/components/NcIconSvgWrapper' import { mdiCogOutline } from '@mdi/js' import { useAppApiStore } from '../../store/app-api-store.ts' +import DaemonSelectionDialog from '../AppAPI/DaemonSelectionDialog.vue' export default { name: 'AppItem', @@ -134,6 +139,7 @@ export default { AppScore, NcButton, NcIconSvgWrapper, + DaemonSelectionDialog, }, mixins: [AppManagement, SvgFilterMixin], props: { @@ -177,6 +183,7 @@ export default { isSelected: false, scrolled: false, screenshotLoaded: false, + showSelectDaemonModal: false, } }, computed: { @@ -219,6 +226,23 @@ export default { getDataItemHeaders(columnName) { return this.useBundleView ? [this.headers, columnName].join(' ') : null }, + showSelectionModal() { + this.showSelectDaemonModal = true + }, + async enableButtonAction() { + if (!this.app?.app_api) { + this.enable(this.app.id) + return + } + await this.appApiStore.fetchDockerDaemons() + if (this.appApiStore.dockerDaemons.length === 1 && this.app.needsDownload) { + this.enable(this.app.id, this.appApiStore.dockerDaemons[0]) + } else if (this.app.needsDownload) { + this.showSelectionModal() + } else { + this.enable(this.app.id, this.app.daemon) + } + }, }, } </script> diff --git a/apps/settings/src/components/AppStoreSidebar/AppDeployOptionsModal.vue b/apps/settings/src/components/AppStoreSidebar/AppDeployOptionsModal.vue index 67d4afa6566..0544c3848be 100644 --- a/apps/settings/src/components/AppStoreSidebar/AppDeployOptionsModal.vue +++ b/apps/settings/src/components/AppStoreSidebar/AppDeployOptionsModal.vue @@ -152,6 +152,7 @@ import { computed, ref } from 'vue' import axios from '@nextcloud/axios' import { generateUrl } from '@nextcloud/router' import { loadState } from '@nextcloud/initial-state' +import { emit } from '@nextcloud/event-bus' import NcDialog from '@nextcloud/vue/components/NcDialog' import NcTextField from '@nextcloud/vue/components/NcTextField' @@ -277,8 +278,15 @@ export default { this.configuredDeployOptions = null }) }, - submitDeployOptions() { - this.enable(this.app.id, this.deployOptions) + async submitDeployOptions() { + await this.appApiStore.fetchDockerDaemons() + if (this.appApiStore.dockerDaemons.length === 1 && this.app.needsDownload) { + this.enable(this.app.id, this.appApiStore.dockerDaemons[0], this.deployOptions) + } else if (this.app.needsDownload) { + emit('showDaemonSelectionModal', this.deployOptions) + } else { + this.enable(this.app.id, this.app.daemon, this.deployOptions) + } this.$emit('update:show', false) }, }, diff --git a/apps/settings/src/components/AppStoreSidebar/AppDetailsTab.vue b/apps/settings/src/components/AppStoreSidebar/AppDetailsTab.vue index 8a387b55ecf..eb66d8f3e3a 100644 --- a/apps/settings/src/components/AppStoreSidebar/AppDetailsTab.vue +++ b/apps/settings/src/components/AppStoreSidebar/AppDetailsTab.vue @@ -68,7 +68,7 @@ type="button" :value="enableButtonText" :disabled="!app.canInstall || installing || isLoading || !defaultDeployDaemonAccessible || isInitializing || isDeploying" - @click="enable(app.id)"> + @click="enableButtonAction"> <input v-else-if="!app.active && !app.canInstall" :title="forceEnableButtonTooltip" :aria-label="forceEnableButtonTooltip" @@ -195,11 +195,16 @@ <AppDeployOptionsModal v-if="app?.app_api" :show.sync="showDeployOptionsModal" :app="app" /> + <DaemonSelectionDialog v-if="app?.app_api" + :show.sync="showSelectDaemonModal" + :app="app" + :deploy-options="deployOptions" /> </div> </NcAppSidebarTab> </template> <script> +import { subscribe, unsubscribe } from '@nextcloud/event-bus' import NcAppSidebarTab from '@nextcloud/vue/components/NcAppSidebarTab' import NcButton from '@nextcloud/vue/components/NcButton' import NcDateTime from '@nextcloud/vue/components/NcDateTime' @@ -207,6 +212,7 @@ import NcIconSvgWrapper from '@nextcloud/vue/components/NcIconSvgWrapper' import NcSelect from '@nextcloud/vue/components/NcSelect' import NcCheckboxRadioSwitch from '@nextcloud/vue/components/NcCheckboxRadioSwitch' import AppDeployOptionsModal from './AppDeployOptionsModal.vue' +import DaemonSelectionDialog from '../AppAPI/DaemonSelectionDialog.vue' import AppManagement from '../../mixins/AppManagement.js' import { mdiBugOutline, mdiFeatureSearchOutline, mdiStar, mdiTextBoxOutline, mdiTooltipQuestionOutline, mdiToyBrickPlusOutline } from '@mdi/js' @@ -224,6 +230,7 @@ export default { NcSelect, NcCheckboxRadioSwitch, AppDeployOptionsModal, + DaemonSelectionDialog, }, mixins: [AppManagement], @@ -256,6 +263,8 @@ export default { groupCheckedAppsData: false, removeData: false, showDeployOptionsModal: false, + showSelectDaemonModal: false, + deployOptions: null, } }, @@ -365,15 +374,40 @@ export default { this.removeData = false }, }, + beforeUnmount() { + this.deployOptions = null + unsubscribe('showDaemonSelectionModal') + }, mounted() { if (this.app.groups.length > 0) { this.groupCheckedAppsData = true } + subscribe('showDaemonSelectionModal', (deployOptions) => { + this.showSelectionModal(deployOptions) + }) }, methods: { toggleRemoveData() { this.removeData = !this.removeData }, + showSelectionModal(deployOptions = null) { + this.deployOptions = deployOptions + this.showSelectDaemonModal = true + }, + async enableButtonAction() { + if (!this.app?.app_api) { + this.enable(this.app.id) + return + } + await this.appApiStore.fetchDockerDaemons() + if (this.appApiStore.dockerDaemons.length === 1 && this.app.needsDownload) { + this.enable(this.app.id, this.appApiStore.dockerDaemons[0]) + } else if (this.app.needsDownload) { + this.showSelectionModal() + } else { + this.enable(this.app.id, this.app.daemon) + } + }, }, } </script> diff --git a/apps/settings/src/mixins/AppManagement.js b/apps/settings/src/mixins/AppManagement.js index b877b8dd88e..3822658589d 100644 --- a/apps/settings/src/mixins/AppManagement.js +++ b/apps/settings/src/mixins/AppManagement.js @@ -188,9 +188,9 @@ export default { .catch((error) => { showError(error) }) } }, - enable(appId, deployOptions = []) { + enable(appId, daemon = null, deployOptions = {}) { if (this.app?.app_api) { - this.appApiStore.enableApp(appId, deployOptions) + this.appApiStore.enableApp(appId, daemon, deployOptions) .then(() => { rebuildNavigation() }) .catch((error) => { showError(error) }) } else { diff --git a/apps/settings/src/store/app-api-store.ts b/apps/settings/src/store/app-api-store.ts index f2f950d6948..769f212ebd7 100644 --- a/apps/settings/src/store/app-api-store.ts +++ b/apps/settings/src/store/app-api-store.ts @@ -25,6 +25,7 @@ interface AppApiState { statusUpdater: number | null | undefined daemonAccessible: boolean defaultDaemon: IDeployDaemon | null + dockerDaemons: IDeployDaemon[] } export const useAppApiStore = defineStore('app-api-apps', { @@ -36,6 +37,7 @@ export const useAppApiStore = defineStore('app-api-apps', { statusUpdater: null, daemonAccessible: loadState('settings', 'defaultDaemonConfigAccessible', false), defaultDaemon: loadState('settings', 'defaultDaemonConfig', null), + dockerDaemons: [], }), getters: { @@ -76,12 +78,12 @@ export const useAppApiStore = defineStore('app-api-apps', { }) }, - enableApp(appId: string, deployOptions: IDeployOptions[] = []) { + enableApp(appId: string, daemon: IDeployDaemon, deployOptions: IDeployOptions) { this.setLoading(appId, true) this.setLoading('install', true) return confirmPassword().then(() => { - return axios.post(generateUrl(`/apps/app_api/apps/enable/${appId}`), { deployOptions }) + return axios.post(generateUrl(`/apps/app_api/apps/enable/${appId}/${daemon.name}`), { deployOptions }) .then((response) => { this.setLoading(appId, false) this.setLoading('install', false) @@ -91,7 +93,7 @@ export const useAppApiStore = defineStore('app-api-apps', { if (!app.installed) { app.installed = true app.needsDownload = false - app.daemon = this.defaultDaemon + app.daemon = daemon app.status = { type: 'install', action: 'deploy', @@ -293,6 +295,18 @@ export const useAppApiStore = defineStore('app-api-apps', { }) }, + async fetchDockerDaemons() { + try { + const { data } = await axios.get(generateUrl('/apps/app_api/daemons')) + this.defaultDaemon = data.daemons.find((daemon: IDeployDaemon) => daemon.name === data.default_daemon_config) + this.dockerDaemons = data.daemons.filter((daemon: IDeployDaemon) => daemon.accepts_deploy_id === 'docker-install') + } catch (error) { + logger.error('[app-api-store] Failed to fetch Docker daemons', { error }) + return false + } + return true + }, + updateAppsStatus() { clearInterval(this.statusUpdater as number) const initializingOrDeployingApps = this.getInitializingOrDeployingApps diff --git a/apps/systemtags/l10n/ar.js b/apps/systemtags/l10n/ar.js index 2c441f897c3..19eca5f0729 100644 --- a/apps/systemtags/l10n/ar.js +++ b/apps/systemtags/l10n/ar.js @@ -80,10 +80,8 @@ OC.L10N.register( "Search tag" : "البحث عن وسم", "Change tag color" : "تغيير لون الوسم", "Create new tag" : "إنشاء وسم جديد", - "Select or create tags to apply to all selected files" : "إختيار أو إنشاء وسوم لتطبيقها على جميع الملفات المحددة", - "Select tags to apply to all selected files" : "إختَر وسوماً لإضافتها لجميع الملفات المُحدَّدة", "Cancel" : "إلغاء", - "Apply changes" : "تطبيق التغييرات", + "Apply" : "حفظ", "Failed to load tags" : "فشل في تحميل الوسوم", "Failed to load selected tags" : "فشل في تحميل الوسوم المنتقاة", "Failed to select tag" : "فشل في اختيار وسم", @@ -110,6 +108,9 @@ OC.L10N.register( "Failed to load tags for file" : "تعذّر تحميل وسوم الملف", "Failed to set tag for file" : "تعذّر وضع وسم على الملف", "Failed to delete tag for file" : "تعذّر حذف وسم من على ملف", - "File tags modification canceled" : "تمّ إلغاء تعديل وسوم الملف" + "File tags modification canceled" : "تمّ إلغاء تعديل وسوم الملف", + "Select or create tags to apply to all selected files" : "إختيار أو إنشاء وسوم لتطبيقها على جميع الملفات المحددة", + "Select tags to apply to all selected files" : "إختَر وسوماً لإضافتها لجميع الملفات المُحدَّدة", + "Apply changes" : "تطبيق التغييرات" }, "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 c6d3e4edeb0..9971a2af878 100644 --- a/apps/systemtags/l10n/ar.json +++ b/apps/systemtags/l10n/ar.json @@ -78,10 +78,8 @@ "Search tag" : "البحث عن وسم", "Change tag color" : "تغيير لون الوسم", "Create new tag" : "إنشاء وسم جديد", - "Select or create tags to apply to all selected files" : "إختيار أو إنشاء وسوم لتطبيقها على جميع الملفات المحددة", - "Select tags to apply to all selected files" : "إختَر وسوماً لإضافتها لجميع الملفات المُحدَّدة", "Cancel" : "إلغاء", - "Apply changes" : "تطبيق التغييرات", + "Apply" : "حفظ", "Failed to load tags" : "فشل في تحميل الوسوم", "Failed to load selected tags" : "فشل في تحميل الوسوم المنتقاة", "Failed to select tag" : "فشل في اختيار وسم", @@ -108,6 +106,9 @@ "Failed to load tags for file" : "تعذّر تحميل وسوم الملف", "Failed to set tag for file" : "تعذّر وضع وسم على الملف", "Failed to delete tag for file" : "تعذّر حذف وسم من على ملف", - "File tags modification canceled" : "تمّ إلغاء تعديل وسوم الملف" + "File tags modification canceled" : "تمّ إلغاء تعديل وسوم الملف", + "Select or create tags to apply to all selected files" : "إختيار أو إنشاء وسوم لتطبيقها على جميع الملفات المحددة", + "Select tags to apply to all selected files" : "إختَر وسوماً لإضافتها لجميع الملفات المُحدَّدة", + "Apply changes" : "تطبيق التغييرات" },"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/ast.js b/apps/systemtags/l10n/ast.js index 89980772b0c..8d9f6470b60 100644 --- a/apps/systemtags/l10n/ast.js +++ b/apps/systemtags/l10n/ast.js @@ -67,6 +67,7 @@ OC.L10N.register( "Loading …" : "Cargando…", "Manage tags" : "Xestionar les etiquetes", "Cancel" : "Encaboxar", + "Apply" : "Aplicar", "Failed to load tags" : "Nun se puen cargar les etiquetes", "Failed to load selected tags" : "Nun se puen cargar les etiquetes seleicionaes", "Failed to select tag" : "Nun se pue seleicionar la etiqueta", diff --git a/apps/systemtags/l10n/ast.json b/apps/systemtags/l10n/ast.json index 79b47ddff75..5ab6e1c9153 100644 --- a/apps/systemtags/l10n/ast.json +++ b/apps/systemtags/l10n/ast.json @@ -65,6 +65,7 @@ "Loading …" : "Cargando…", "Manage tags" : "Xestionar les etiquetes", "Cancel" : "Encaboxar", + "Apply" : "Aplicar", "Failed to load tags" : "Nun se puen cargar les etiquetes", "Failed to load selected tags" : "Nun se puen cargar les etiquetes seleicionaes", "Failed to select tag" : "Nun se pue seleicionar la etiqueta", diff --git a/apps/systemtags/l10n/bg.js b/apps/systemtags/l10n/bg.js index 4bf533ba112..2346a112653 100644 --- a/apps/systemtags/l10n/bg.js +++ b/apps/systemtags/l10n/bg.js @@ -56,6 +56,7 @@ OC.L10N.register( "Loading …" : "Зареждане …", "Manage tags" : "Управление на маркери", "Cancel" : "Отказ", + "Apply" : "Приложи", "Failed to load tags" : "Неуспешно зареждане на етикети", "Failed to load selected tags" : "Неуспешно зареждане на избрани етикети", "Failed to select tag" : "Неуспешен избор на етикет", diff --git a/apps/systemtags/l10n/bg.json b/apps/systemtags/l10n/bg.json index 0e02a3f85b3..1392dea4807 100644 --- a/apps/systemtags/l10n/bg.json +++ b/apps/systemtags/l10n/bg.json @@ -54,6 +54,7 @@ "Loading …" : "Зареждане …", "Manage tags" : "Управление на маркери", "Cancel" : "Отказ", + "Apply" : "Приложи", "Failed to load tags" : "Неуспешно зареждане на етикети", "Failed to load selected tags" : "Неуспешно зареждане на избрани етикети", "Failed to select tag" : "Неуспешен избор на етикет", diff --git a/apps/systemtags/l10n/ca.js b/apps/systemtags/l10n/ca.js index 21faf06f809..feeba9fa824 100644 --- a/apps/systemtags/l10n/ca.js +++ b/apps/systemtags/l10n/ca.js @@ -80,10 +80,8 @@ OC.L10N.register( "Search tag" : "Etiqueta de cerca", "Change tag color" : "Canvia el color de l'etiqueta", "Create new tag" : "Crea una etiqueta nova", - "Select or create tags to apply to all selected files" : "Seleccioneu o creeu etiquetes per aplicar-les a tots els fitxers seleccionats", - "Select tags to apply to all selected files" : "Seleccioneu les etiquetes per aplicar a tots els fitxers seleccionats", "Cancel" : "Cancel·la", - "Apply changes" : "Aplica els canvis", + "Apply" : "Aplica", "Failed to load tags" : "No s'han pogut carregar les etiquetes", "Failed to load selected tags" : "No s'han pogut carregar les etiquetes seleccionades", "Failed to select tag" : "No s'ha pogut seleccionar l'etiqueta", @@ -110,6 +108,9 @@ OC.L10N.register( "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", - "File tags modification canceled" : "S'ha cancel·lat la modificació de les etiquetes del fitxer" + "File tags modification canceled" : "S'ha cancel·lat la modificació de les etiquetes del fitxer", + "Select or create tags to apply to all selected files" : "Seleccioneu o creeu etiquetes per aplicar-les a tots els fitxers seleccionats", + "Select tags to apply to all selected files" : "Seleccioneu les etiquetes per aplicar a tots els fitxers seleccionats", + "Apply changes" : "Aplica els canvis" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/ca.json b/apps/systemtags/l10n/ca.json index 2e63bba1e9b..ed4043d9290 100644 --- a/apps/systemtags/l10n/ca.json +++ b/apps/systemtags/l10n/ca.json @@ -78,10 +78,8 @@ "Search tag" : "Etiqueta de cerca", "Change tag color" : "Canvia el color de l'etiqueta", "Create new tag" : "Crea una etiqueta nova", - "Select or create tags to apply to all selected files" : "Seleccioneu o creeu etiquetes per aplicar-les a tots els fitxers seleccionats", - "Select tags to apply to all selected files" : "Seleccioneu les etiquetes per aplicar a tots els fitxers seleccionats", "Cancel" : "Cancel·la", - "Apply changes" : "Aplica els canvis", + "Apply" : "Aplica", "Failed to load tags" : "No s'han pogut carregar les etiquetes", "Failed to load selected tags" : "No s'han pogut carregar les etiquetes seleccionades", "Failed to select tag" : "No s'ha pogut seleccionar l'etiqueta", @@ -108,6 +106,9 @@ "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", - "File tags modification canceled" : "S'ha cancel·lat la modificació de les etiquetes del fitxer" + "File tags modification canceled" : "S'ha cancel·lat la modificació de les etiquetes del fitxer", + "Select or create tags to apply to all selected files" : "Seleccioneu o creeu etiquetes per aplicar-les a tots els fitxers seleccionats", + "Select tags to apply to all selected files" : "Seleccioneu les etiquetes per aplicar a tots els fitxers seleccionats", + "Apply changes" : "Aplica els canvis" },"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 04898133d27..a7cce51d121 100644 --- a/apps/systemtags/l10n/cs.js +++ b/apps/systemtags/l10n/cs.js @@ -80,10 +80,8 @@ OC.L10N.register( "Search tag" : "Hledat štítek", "Change tag color" : "Změnit barvu štítku", "Create new tag" : "Vytvořit nový štítek", - "Select or create tags to apply to all selected files" : "Vyberte nebo vytvořte štítky které uplatnit ne všechny označené soubory", - "Select tags to apply to all selected files" : "Vybrat štítky které uplatnit na všechny vybrané soubory", "Cancel" : "Storno", - "Apply changes" : "Uplatnit změny", + "Apply" : "Použít", "Failed to load tags" : "Štítky se nepodařilo načíst", "Failed to load selected tags" : "Vybrané štítky se nepodařilo načíst", "Failed to select tag" : "Štítek se nepodařilo načíst", @@ -110,6 +108,9 @@ OC.L10N.register( "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", - "File tags modification canceled" : "Změna štítků souboru zrušena" + "File tags modification canceled" : "Změna štítků souboru zrušena", + "Select or create tags to apply to all selected files" : "Vyberte nebo vytvořte štítky které uplatnit ne všechny označené soubory", + "Select tags to apply to all selected files" : "Vybrat štítky které uplatnit na všechny vybrané soubory", + "Apply changes" : "Uplatnit změny" }, "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 ec2338161f0..6f5ed6c5899 100644 --- a/apps/systemtags/l10n/cs.json +++ b/apps/systemtags/l10n/cs.json @@ -78,10 +78,8 @@ "Search tag" : "Hledat štítek", "Change tag color" : "Změnit barvu štítku", "Create new tag" : "Vytvořit nový štítek", - "Select or create tags to apply to all selected files" : "Vyberte nebo vytvořte štítky které uplatnit ne všechny označené soubory", - "Select tags to apply to all selected files" : "Vybrat štítky které uplatnit na všechny vybrané soubory", "Cancel" : "Storno", - "Apply changes" : "Uplatnit změny", + "Apply" : "Použít", "Failed to load tags" : "Štítky se nepodařilo načíst", "Failed to load selected tags" : "Vybrané štítky se nepodařilo načíst", "Failed to select tag" : "Štítek se nepodařilo načíst", @@ -108,6 +106,9 @@ "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", - "File tags modification canceled" : "Změna štítků souboru zrušena" + "File tags modification canceled" : "Změna štítků souboru zrušena", + "Select or create tags to apply to all selected files" : "Vyberte nebo vytvořte štítky které uplatnit ne všechny označené soubory", + "Select tags to apply to all selected files" : "Vybrat štítky které uplatnit na všechny vybrané soubory", + "Apply changes" : "Uplatnit změny" },"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 d6bbd47151b..3ddd017e53d 100644 --- a/apps/systemtags/l10n/da.js +++ b/apps/systemtags/l10n/da.js @@ -80,10 +80,8 @@ OC.L10N.register( "Search tag" : "Søgemærke", "Change tag color" : "Skift mærkefarve", "Create new tag" : "Opret nyt mærke", - "Select or create tags to apply to all selected files" : "Vælg eller opret tags der skal gælde for alle markerede filer", - "Select tags to apply to all selected files" : "Vælg tags der skal gælde for alle markerede filer", "Cancel" : "Annuller", - "Apply changes" : "Anvend ændringer", + "Apply" : "Anvend", "Failed to load tags" : "Kunne ikke indlæse tags.", "Failed to load selected tags" : "Kunne ikke indlæse markerede mærker", "Failed to select tag" : "Kunne ikke vælge mærke", @@ -110,6 +108,9 @@ OC.L10N.register( "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", - "File tags modification canceled" : "Ændring af filmærker annulleret" + "File tags modification canceled" : "Ændring af filmærker annulleret", + "Select or create tags to apply to all selected files" : "Vælg eller opret tags der skal gælde for alle markerede filer", + "Select tags to apply to all selected files" : "Vælg tags der skal gælde for alle markerede filer", + "Apply changes" : "Anvend ændringer" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/da.json b/apps/systemtags/l10n/da.json index fa5bbd16187..2db91b2c025 100644 --- a/apps/systemtags/l10n/da.json +++ b/apps/systemtags/l10n/da.json @@ -78,10 +78,8 @@ "Search tag" : "Søgemærke", "Change tag color" : "Skift mærkefarve", "Create new tag" : "Opret nyt mærke", - "Select or create tags to apply to all selected files" : "Vælg eller opret tags der skal gælde for alle markerede filer", - "Select tags to apply to all selected files" : "Vælg tags der skal gælde for alle markerede filer", "Cancel" : "Annuller", - "Apply changes" : "Anvend ændringer", + "Apply" : "Anvend", "Failed to load tags" : "Kunne ikke indlæse tags.", "Failed to load selected tags" : "Kunne ikke indlæse markerede mærker", "Failed to select tag" : "Kunne ikke vælge mærke", @@ -108,6 +106,9 @@ "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", - "File tags modification canceled" : "Ændring af filmærker annulleret" + "File tags modification canceled" : "Ændring af filmærker annulleret", + "Select or create tags to apply to all selected files" : "Vælg eller opret tags der skal gælde for alle markerede filer", + "Select tags to apply to all selected files" : "Vælg tags der skal gælde for alle markerede filer", + "Apply changes" : "Anvend ændringer" },"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 dc19f271b26..3de30227c72 100644 --- a/apps/systemtags/l10n/de.js +++ b/apps/systemtags/l10n/de.js @@ -80,10 +80,9 @@ OC.L10N.register( "Search tag" : "Schlagworte suchen", "Change tag color" : "Schlagwortfarbe ändern", "Create new tag" : "Neues Schlagwort erstellen", - "Select or create tags to apply to all selected files" : "Schlagwort auswählen oder erstellen, die auf alle ausgewählten Dateien angewendet werden sollen", - "Select tags to apply to all selected files" : "Schlagworte auswählen, die auf alle ausgewählten Dateien angewendet werden sollen", + "Choose tags for the selected files" : "Schlagworte für die gewählten Dateien wählen", "Cancel" : "Abbrechen", - "Apply changes" : "Änderungen anwenden", + "Apply" : "Anwenden", "Failed to load tags" : "Schlagworte konnten nicht geladen werden", "Failed to load selected tags" : "Ausgewählte Schlagworte konnten nicht geladen werden", "Failed to select tag" : "Schlagwort konnte nicht ausgewählt werden", @@ -110,6 +109,9 @@ OC.L10N.register( "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", - "File tags modification canceled" : "Änderung der Datei-Schlagwörter abgebrochen" + "File tags modification canceled" : "Änderung der Datei-Schlagwörter abgebrochen", + "Select or create tags to apply to all selected files" : "Schlagwort auswählen oder erstellen, die auf alle ausgewählten Dateien angewendet werden sollen", + "Select tags to apply to all selected files" : "Schlagworte auswählen, die auf alle ausgewählten Dateien angewendet werden sollen", + "Apply changes" : "Änderungen anwenden" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/de.json b/apps/systemtags/l10n/de.json index fdeac43debf..65d187e879f 100644 --- a/apps/systemtags/l10n/de.json +++ b/apps/systemtags/l10n/de.json @@ -78,10 +78,9 @@ "Search tag" : "Schlagworte suchen", "Change tag color" : "Schlagwortfarbe ändern", "Create new tag" : "Neues Schlagwort erstellen", - "Select or create tags to apply to all selected files" : "Schlagwort auswählen oder erstellen, die auf alle ausgewählten Dateien angewendet werden sollen", - "Select tags to apply to all selected files" : "Schlagworte auswählen, die auf alle ausgewählten Dateien angewendet werden sollen", + "Choose tags for the selected files" : "Schlagworte für die gewählten Dateien wählen", "Cancel" : "Abbrechen", - "Apply changes" : "Änderungen anwenden", + "Apply" : "Anwenden", "Failed to load tags" : "Schlagworte konnten nicht geladen werden", "Failed to load selected tags" : "Ausgewählte Schlagworte konnten nicht geladen werden", "Failed to select tag" : "Schlagwort konnte nicht ausgewählt werden", @@ -108,6 +107,9 @@ "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", - "File tags modification canceled" : "Änderung der Datei-Schlagwörter abgebrochen" + "File tags modification canceled" : "Änderung der Datei-Schlagwörter abgebrochen", + "Select or create tags to apply to all selected files" : "Schlagwort auswählen oder erstellen, die auf alle ausgewählten Dateien angewendet werden sollen", + "Select tags to apply to all selected files" : "Schlagworte auswählen, die auf alle ausgewählten Dateien angewendet werden sollen", + "Apply changes" : "Änderungen anwenden" },"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 696aa7576c7..e09df64de38 100644 --- a/apps/systemtags/l10n/de_DE.js +++ b/apps/systemtags/l10n/de_DE.js @@ -80,10 +80,9 @@ OC.L10N.register( "Search tag" : "Schlagworte suchen", "Change tag color" : "Schlagwortfarbe ändern", "Create new tag" : "Neues Schlagwort erstellen", - "Select or create tags to apply to all selected files" : "Schlagworte auswählen oder erstellen, die auf alle ausgewählten Dateien angewendet werden sollen", - "Select tags to apply to all selected files" : "Schlagworte auswählen, die auf alle ausgewählten Dateien angewendet werden sollen", + "Choose tags for the selected files" : "Schlagworte für die gewählten Dateien wählen", "Cancel" : "Abbrechen", - "Apply changes" : "Änderungen anwenden", + "Apply" : "Anwenden", "Failed to load tags" : "Schlagworte konnten nicht geladen werden", "Failed to load selected tags" : "Ausgewählte Schlagworte konnten nicht geladen werden", "Failed to select tag" : "Schlagwort konnte nicht ausgewählt werden", @@ -110,6 +109,9 @@ OC.L10N.register( "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", - "File tags modification canceled" : "Änderung der Datei-Schlagworte abgebrochen" + "File tags modification canceled" : "Änderung der Datei-Schlagworte abgebrochen", + "Select or create tags to apply to all selected files" : "Schlagworte auswählen oder erstellen, die auf alle ausgewählten Dateien angewendet werden sollen", + "Select tags to apply to all selected files" : "Schlagworte auswählen, die auf alle ausgewählten Dateien angewendet werden sollen", + "Apply changes" : "Änderungen anwenden" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/de_DE.json b/apps/systemtags/l10n/de_DE.json index 5a62635a094..7401f2f1478 100644 --- a/apps/systemtags/l10n/de_DE.json +++ b/apps/systemtags/l10n/de_DE.json @@ -78,10 +78,9 @@ "Search tag" : "Schlagworte suchen", "Change tag color" : "Schlagwortfarbe ändern", "Create new tag" : "Neues Schlagwort erstellen", - "Select or create tags to apply to all selected files" : "Schlagworte auswählen oder erstellen, die auf alle ausgewählten Dateien angewendet werden sollen", - "Select tags to apply to all selected files" : "Schlagworte auswählen, die auf alle ausgewählten Dateien angewendet werden sollen", + "Choose tags for the selected files" : "Schlagworte für die gewählten Dateien wählen", "Cancel" : "Abbrechen", - "Apply changes" : "Änderungen anwenden", + "Apply" : "Anwenden", "Failed to load tags" : "Schlagworte konnten nicht geladen werden", "Failed to load selected tags" : "Ausgewählte Schlagworte konnten nicht geladen werden", "Failed to select tag" : "Schlagwort konnte nicht ausgewählt werden", @@ -108,6 +107,9 @@ "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", - "File tags modification canceled" : "Änderung der Datei-Schlagworte abgebrochen" + "File tags modification canceled" : "Änderung der Datei-Schlagworte abgebrochen", + "Select or create tags to apply to all selected files" : "Schlagworte auswählen oder erstellen, die auf alle ausgewählten Dateien angewendet werden sollen", + "Select tags to apply to all selected files" : "Schlagworte auswählen, die auf alle ausgewählten Dateien angewendet werden sollen", + "Apply changes" : "Änderungen anwenden" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/el.js b/apps/systemtags/l10n/el.js index fba18e951c6..be6eb49f6a0 100644 --- a/apps/systemtags/l10n/el.js +++ b/apps/systemtags/l10n/el.js @@ -53,6 +53,7 @@ OC.L10N.register( "Loading …" : "Φόρτωση…", "Manage tags" : "Διαχείριση ετικετών", "Cancel" : "Ακύρωση", + "Apply" : "Εφαρμογή", "Failed to load tags" : "Απέτυχε η φόρτωση ετικετών", "Collaborative tags are available for all users. Restricted tags are visible to users but cannot be assigned by them. Invisible tags are for internal use, since users cannot see or assign them." : "Οι ετικέτες σε συνεργασία είναι διαθέσιμες για όλους τους χρήστες. Οι περιορισμένες ετικέτες είναι ορατές στους χρήστες, αλλά δεν μπορούν να τους ανατεθούν. Οι κρυφές ετικέτες είναι για εσωτερική χρήση, όμως οι χρήστες δεν μπορούν να τις δουν ή να τις αναθέσουν.", "Open in Files" : "Άνοιγμα στα Αρχεία", diff --git a/apps/systemtags/l10n/el.json b/apps/systemtags/l10n/el.json index 904fb8bb7b0..7e53d95763a 100644 --- a/apps/systemtags/l10n/el.json +++ b/apps/systemtags/l10n/el.json @@ -51,6 +51,7 @@ "Loading …" : "Φόρτωση…", "Manage tags" : "Διαχείριση ετικετών", "Cancel" : "Ακύρωση", + "Apply" : "Εφαρμογή", "Failed to load tags" : "Απέτυχε η φόρτωση ετικετών", "Collaborative tags are available for all users. Restricted tags are visible to users but cannot be assigned by them. Invisible tags are for internal use, since users cannot see or assign them." : "Οι ετικέτες σε συνεργασία είναι διαθέσιμες για όλους τους χρήστες. Οι περιορισμένες ετικέτες είναι ορατές στους χρήστες, αλλά δεν μπορούν να τους ανατεθούν. Οι κρυφές ετικέτες είναι για εσωτερική χρήση, όμως οι χρήστες δεν μπορούν να τις δουν ή να τις αναθέσουν.", "Open in Files" : "Άνοιγμα στα Αρχεία", diff --git a/apps/systemtags/l10n/en_GB.js b/apps/systemtags/l10n/en_GB.js index 7475382c4fb..5ad77e5cc50 100644 --- a/apps/systemtags/l10n/en_GB.js +++ b/apps/systemtags/l10n/en_GB.js @@ -80,10 +80,9 @@ OC.L10N.register( "Search tag" : "Search tag", "Change tag color" : "Change tag colour", "Create new tag" : "Create new tag", - "Select or create tags to apply to all selected files" : "Select or create tags to apply to all selected files", - "Select tags to apply to all selected files" : "Select tags to apply to all selected files", + "Choose tags for the selected files" : "Choose tags for the selected files", "Cancel" : "Cancel", - "Apply changes" : "Apply changes", + "Apply" : "Apply", "Failed to load tags" : "Failed to load tags", "Failed to load selected tags" : "Failed to load selected tags", "Failed to select tag" : "Failed to select tag", @@ -110,6 +109,9 @@ OC.L10N.register( "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", - "File tags modification canceled" : "File tags modification cancelled" + "File tags modification canceled" : "File tags modification cancelled", + "Select or create tags to apply to all selected files" : "Select or create tags to apply to all selected files", + "Select tags to apply to all selected files" : "Select tags to apply to all selected files", + "Apply changes" : "Apply changes" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/en_GB.json b/apps/systemtags/l10n/en_GB.json index 5661d1af117..1c35897538f 100644 --- a/apps/systemtags/l10n/en_GB.json +++ b/apps/systemtags/l10n/en_GB.json @@ -78,10 +78,9 @@ "Search tag" : "Search tag", "Change tag color" : "Change tag colour", "Create new tag" : "Create new tag", - "Select or create tags to apply to all selected files" : "Select or create tags to apply to all selected files", - "Select tags to apply to all selected files" : "Select tags to apply to all selected files", + "Choose tags for the selected files" : "Choose tags for the selected files", "Cancel" : "Cancel", - "Apply changes" : "Apply changes", + "Apply" : "Apply", "Failed to load tags" : "Failed to load tags", "Failed to load selected tags" : "Failed to load selected tags", "Failed to select tag" : "Failed to select tag", @@ -108,6 +107,9 @@ "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", - "File tags modification canceled" : "File tags modification cancelled" + "File tags modification canceled" : "File tags modification cancelled", + "Select or create tags to apply to all selected files" : "Select or create tags to apply to all selected files", + "Select tags to apply to all selected files" : "Select tags to apply to all selected files", + "Apply changes" : "Apply changes" },"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 6f71d460c8e..2f468ae5de1 100644 --- a/apps/systemtags/l10n/es.js +++ b/apps/systemtags/l10n/es.js @@ -80,10 +80,8 @@ OC.L10N.register( "Search tag" : "Buscar etiqueta", "Change tag color" : "Cambiar color de etiqueta", "Create new tag" : "Crear nueva etiqueta", - "Select or create tags to apply to all selected files" : "Selecciona o crea etiquetas para aplicar a los archivos seleccionados", - "Select tags to apply to all selected files" : "Seleccione las etiquetas que se aplicarán a todos los archivos", "Cancel" : "Cancelar", - "Apply changes" : "Aplicar cambios", + "Apply" : "Aplicar", "Failed to load tags" : "Fallo al cargar etiquetas", "Failed to load selected tags" : "Fallo al cargar las etiquetas seleccionadas", "Failed to select tag" : "Fallo al seleccionar etiqueta", @@ -110,6 +108,9 @@ OC.L10N.register( "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", - "File tags modification canceled" : "Modificación de las etiquetas del archivo cancelada" + "File tags modification canceled" : "Modificación de las etiquetas del archivo cancelada", + "Select or create tags to apply to all selected files" : "Selecciona o crea etiquetas para aplicar a los archivos seleccionados", + "Select tags to apply to all selected files" : "Seleccione las etiquetas que se aplicarán a todos los archivos", + "Apply changes" : "Aplicar cambios" }, "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 39e97ef3b8f..8b152161291 100644 --- a/apps/systemtags/l10n/es.json +++ b/apps/systemtags/l10n/es.json @@ -78,10 +78,8 @@ "Search tag" : "Buscar etiqueta", "Change tag color" : "Cambiar color de etiqueta", "Create new tag" : "Crear nueva etiqueta", - "Select or create tags to apply to all selected files" : "Selecciona o crea etiquetas para aplicar a los archivos seleccionados", - "Select tags to apply to all selected files" : "Seleccione las etiquetas que se aplicarán a todos los archivos", "Cancel" : "Cancelar", - "Apply changes" : "Aplicar cambios", + "Apply" : "Aplicar", "Failed to load tags" : "Fallo al cargar etiquetas", "Failed to load selected tags" : "Fallo al cargar las etiquetas seleccionadas", "Failed to select tag" : "Fallo al seleccionar etiqueta", @@ -108,6 +106,9 @@ "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", - "File tags modification canceled" : "Modificación de las etiquetas del archivo cancelada" + "File tags modification canceled" : "Modificación de las etiquetas del archivo cancelada", + "Select or create tags to apply to all selected files" : "Selecciona o crea etiquetas para aplicar a los archivos seleccionados", + "Select tags to apply to all selected files" : "Seleccione las etiquetas que se aplicarán a todos los archivos", + "Apply changes" : "Aplicar cambios" },"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/es_EC.js b/apps/systemtags/l10n/es_EC.js index 080c11ea9b5..8600ec110d2 100644 --- a/apps/systemtags/l10n/es_EC.js +++ b/apps/systemtags/l10n/es_EC.js @@ -56,6 +56,7 @@ OC.L10N.register( "Loading …" : "Cargando...", "Manage tags" : "Gestionar etiquetas", "Cancel" : "Cancelar", + "Apply" : "Aplicar", "Failed to load tags" : "Error al cargar las etiquetas", "Failed to load selected tags" : "Error al cargar las etiquetas seleccionadas", "Failed to select tag" : "Error al seleccionar la etiqueta", diff --git a/apps/systemtags/l10n/es_EC.json b/apps/systemtags/l10n/es_EC.json index 830a7c9e0a2..f0caf263cf1 100644 --- a/apps/systemtags/l10n/es_EC.json +++ b/apps/systemtags/l10n/es_EC.json @@ -54,6 +54,7 @@ "Loading …" : "Cargando...", "Manage tags" : "Gestionar etiquetas", "Cancel" : "Cancelar", + "Apply" : "Aplicar", "Failed to load tags" : "Error al cargar las etiquetas", "Failed to load selected tags" : "Error al cargar las etiquetas seleccionadas", "Failed to select tag" : "Error al seleccionar la etiqueta", diff --git a/apps/systemtags/l10n/es_MX.js b/apps/systemtags/l10n/es_MX.js index 20465f3ba80..a7b8550d8a6 100644 --- a/apps/systemtags/l10n/es_MX.js +++ b/apps/systemtags/l10n/es_MX.js @@ -66,6 +66,7 @@ OC.L10N.register( "Loading …" : "Cargando …", "Manage tags" : "Administrar etiquetas", "Cancel" : "Cancelar", + "Apply" : "Aplicar", "Failed to load tags" : "No se pudieron cargar las etiquetas", "Failed to load selected tags" : "No se pudieron cargar las etiquetas seleccionadas", "Failed to select tag" : "No se pudieron seleccionar las etiquetas", diff --git a/apps/systemtags/l10n/es_MX.json b/apps/systemtags/l10n/es_MX.json index 48d9519d2b6..fb72639c444 100644 --- a/apps/systemtags/l10n/es_MX.json +++ b/apps/systemtags/l10n/es_MX.json @@ -64,6 +64,7 @@ "Loading …" : "Cargando …", "Manage tags" : "Administrar etiquetas", "Cancel" : "Cancelar", + "Apply" : "Aplicar", "Failed to load tags" : "No se pudieron cargar las etiquetas", "Failed to load selected tags" : "No se pudieron cargar las etiquetas seleccionadas", "Failed to select tag" : "No se pudieron seleccionar las etiquetas", diff --git a/apps/systemtags/l10n/et_EE.js b/apps/systemtags/l10n/et_EE.js index 036fa215451..35f3ccd5ca6 100644 --- a/apps/systemtags/l10n/et_EE.js +++ b/apps/systemtags/l10n/et_EE.js @@ -80,10 +80,8 @@ OC.L10N.register( "Search tag" : "Otsi silti", "Change tag color" : "Muuda sildi värvi", "Create new tag" : "Loo uus silt", - "Select or create tags to apply to all selected files" : "Vali või loo sildid kõikide valitud failide jaoks", - "Select tags to apply to all selected files" : "Vali sildid kõikide valitud failide jaoks", "Cancel" : "Tühista", - "Apply changes" : "Rakenda muudatused", + "Apply" : "Rakenda", "Failed to load tags" : "Siltide laadimine ei õnnestu", "Failed to load selected tags" : "Valitud siltide laadimine ei õnnestu", "Failed to select tag" : "Sildi valimine ei õnnestu", @@ -110,6 +108,9 @@ OC.L10N.register( "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", - "File tags modification canceled" : "Failide siltide muutmine on katkestatud" + "File tags modification canceled" : "Failide siltide muutmine on katkestatud", + "Select or create tags to apply to all selected files" : "Vali või loo sildid kõikide valitud failide jaoks", + "Select tags to apply to all selected files" : "Vali sildid kõikide valitud failide jaoks", + "Apply changes" : "Rakenda muudatused" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/et_EE.json b/apps/systemtags/l10n/et_EE.json index cd633ae086a..a811d9488b4 100644 --- a/apps/systemtags/l10n/et_EE.json +++ b/apps/systemtags/l10n/et_EE.json @@ -78,10 +78,8 @@ "Search tag" : "Otsi silti", "Change tag color" : "Muuda sildi värvi", "Create new tag" : "Loo uus silt", - "Select or create tags to apply to all selected files" : "Vali või loo sildid kõikide valitud failide jaoks", - "Select tags to apply to all selected files" : "Vali sildid kõikide valitud failide jaoks", "Cancel" : "Tühista", - "Apply changes" : "Rakenda muudatused", + "Apply" : "Rakenda", "Failed to load tags" : "Siltide laadimine ei õnnestu", "Failed to load selected tags" : "Valitud siltide laadimine ei õnnestu", "Failed to select tag" : "Sildi valimine ei õnnestu", @@ -108,6 +106,9 @@ "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", - "File tags modification canceled" : "Failide siltide muutmine on katkestatud" + "File tags modification canceled" : "Failide siltide muutmine on katkestatud", + "Select or create tags to apply to all selected files" : "Vali või loo sildid kõikide valitud failide jaoks", + "Select tags to apply to all selected files" : "Vali sildid kõikide valitud failide jaoks", + "Apply changes" : "Rakenda muudatused" },"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 d4b25449ae9..204d5ea2151 100644 --- a/apps/systemtags/l10n/eu.js +++ b/apps/systemtags/l10n/eu.js @@ -73,9 +73,8 @@ OC.L10N.register( "Search or create tag" : "Bilatu edo sortu etiketa", "Change tag color" : "Aldatu etiketaren kolorea", "Create new tag" : "Sortu etiketa berria", - "Select or create tags to apply to all selected files" : "Hautatu edo sortu hautatutako fitxategi guztientzako etiketak", "Cancel" : "Utzi", - "Apply changes" : "Aplikatu aldaketak", + "Apply" : "Aplikatu", "Failed to load tags" : "Etiketak kargatzeak huts egin du", "Failed to load selected tags" : "Hautatutako etiketa kargatzeak huts egin du", "Failed to select tag" : "Etiketa hautatzeak huts egin du", @@ -95,6 +94,8 @@ OC.L10N.register( "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", - "File tags modification canceled" : "Fitxategien etiketen aldaketa baztertuta" + "File tags modification canceled" : "Fitxategien etiketen aldaketa baztertuta", + "Select or create tags to apply to all selected files" : "Hautatu edo sortu hautatutako fitxategi guztientzako etiketak", + "Apply changes" : "Aplikatu aldaketak" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/eu.json b/apps/systemtags/l10n/eu.json index 1d9b8423bcc..c58220761ed 100644 --- a/apps/systemtags/l10n/eu.json +++ b/apps/systemtags/l10n/eu.json @@ -71,9 +71,8 @@ "Search or create tag" : "Bilatu edo sortu etiketa", "Change tag color" : "Aldatu etiketaren kolorea", "Create new tag" : "Sortu etiketa berria", - "Select or create tags to apply to all selected files" : "Hautatu edo sortu hautatutako fitxategi guztientzako etiketak", "Cancel" : "Utzi", - "Apply changes" : "Aplikatu aldaketak", + "Apply" : "Aplikatu", "Failed to load tags" : "Etiketak kargatzeak huts egin du", "Failed to load selected tags" : "Hautatutako etiketa kargatzeak huts egin du", "Failed to select tag" : "Etiketa hautatzeak huts egin du", @@ -93,6 +92,8 @@ "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", - "File tags modification canceled" : "Fitxategien etiketen aldaketa baztertuta" + "File tags modification canceled" : "Fitxategien etiketen aldaketa baztertuta", + "Select or create tags to apply to all selected files" : "Hautatu edo sortu hautatutako fitxategi guztientzako etiketak", + "Apply changes" : "Aplikatu aldaketak" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/fa.js b/apps/systemtags/l10n/fa.js index ff0c4bba17b..e825e1fb2a9 100644 --- a/apps/systemtags/l10n/fa.js +++ b/apps/systemtags/l10n/fa.js @@ -56,6 +56,7 @@ OC.L10N.register( "Loading …" : "در حال بارگذاری...", "Manage tags" : "مدیریت برچسب ها", "Cancel" : "منصرف شدن", + "Apply" : "اعمال", "Failed to load tags" : "بارگیری برچسب ها انجام نشد", "Failed to load selected tags" : "Failed to load selected tags", "Failed to select tag" : "Failed to select tag", diff --git a/apps/systemtags/l10n/fa.json b/apps/systemtags/l10n/fa.json index 7a542ff1a52..eb2690aea8f 100644 --- a/apps/systemtags/l10n/fa.json +++ b/apps/systemtags/l10n/fa.json @@ -54,6 +54,7 @@ "Loading …" : "در حال بارگذاری...", "Manage tags" : "مدیریت برچسب ها", "Cancel" : "منصرف شدن", + "Apply" : "اعمال", "Failed to load tags" : "بارگیری برچسب ها انجام نشد", "Failed to load selected tags" : "Failed to load selected tags", "Failed to select tag" : "Failed to select tag", diff --git a/apps/systemtags/l10n/fi.js b/apps/systemtags/l10n/fi.js index cf623f7baf3..210897b8be0 100644 --- a/apps/systemtags/l10n/fi.js +++ b/apps/systemtags/l10n/fi.js @@ -60,6 +60,7 @@ OC.L10N.register( "Loading …" : "Ladataan…", "Manage tags" : "Hallitse tunnisteita", "Cancel" : "Peruuta", + "Apply" : "Toteuta", "Failed to load tags" : "Tunnisteiden lataaminen epäonnistui", "Failed to select tag" : "Tunnisteen valitseminen epäonnistui", "Loading collaborative tags …" : "Ladataan yhteistyöllisiä tunnisteita…", diff --git a/apps/systemtags/l10n/fi.json b/apps/systemtags/l10n/fi.json index 65cbc052849..226bde1a576 100644 --- a/apps/systemtags/l10n/fi.json +++ b/apps/systemtags/l10n/fi.json @@ -58,6 +58,7 @@ "Loading …" : "Ladataan…", "Manage tags" : "Hallitse tunnisteita", "Cancel" : "Peruuta", + "Apply" : "Toteuta", "Failed to load tags" : "Tunnisteiden lataaminen epäonnistui", "Failed to select tag" : "Tunnisteen valitseminen epäonnistui", "Loading collaborative tags …" : "Ladataan yhteistyöllisiä tunnisteita…", diff --git a/apps/systemtags/l10n/fr.js b/apps/systemtags/l10n/fr.js index 167747b5e66..9530e7c096b 100644 --- a/apps/systemtags/l10n/fr.js +++ b/apps/systemtags/l10n/fr.js @@ -80,10 +80,8 @@ OC.L10N.register( "Search tag" : "Rechercher une étiquette", "Change tag color" : "Changer la couleur de l'étiquette", "Create new tag" : "Créer une nouvelle étiquette", - "Select or create tags to apply to all selected files" : "Sélectionnez ou créez des étiquettes à appliquer à tous les fichiers sélectionnés", - "Select tags to apply to all selected files" : "Sélectionnez les étiquettes à appliquer à tous les fichiers sélectionnés", "Cancel" : "Annuler", - "Apply changes" : "Appliquer les modifications", + "Apply" : "Appliquer", "Failed to load tags" : "Impossible de charger les étiquettes", "Failed to load selected tags" : "Impossible de charger les étiquettes sélectionnées", "Failed to select tag" : "Impossible de sélectionner l'étiquette", @@ -110,6 +108,9 @@ OC.L10N.register( "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", - "File tags modification canceled" : "Modification des étiquettes du fichier annulée" + "File tags modification canceled" : "Modification des étiquettes du fichier annulée", + "Select or create tags to apply to all selected files" : "Sélectionnez ou créez des étiquettes à appliquer à tous les fichiers sélectionnés", + "Select tags to apply to all selected files" : "Sélectionnez les étiquettes à appliquer à tous les fichiers sélectionnés", + "Apply changes" : "Appliquer les modifications" }, "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 8f59402bec2..c3a39b32a15 100644 --- a/apps/systemtags/l10n/fr.json +++ b/apps/systemtags/l10n/fr.json @@ -78,10 +78,8 @@ "Search tag" : "Rechercher une étiquette", "Change tag color" : "Changer la couleur de l'étiquette", "Create new tag" : "Créer une nouvelle étiquette", - "Select or create tags to apply to all selected files" : "Sélectionnez ou créez des étiquettes à appliquer à tous les fichiers sélectionnés", - "Select tags to apply to all selected files" : "Sélectionnez les étiquettes à appliquer à tous les fichiers sélectionnés", "Cancel" : "Annuler", - "Apply changes" : "Appliquer les modifications", + "Apply" : "Appliquer", "Failed to load tags" : "Impossible de charger les étiquettes", "Failed to load selected tags" : "Impossible de charger les étiquettes sélectionnées", "Failed to select tag" : "Impossible de sélectionner l'étiquette", @@ -108,6 +106,9 @@ "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", - "File tags modification canceled" : "Modification des étiquettes du fichier annulée" + "File tags modification canceled" : "Modification des étiquettes du fichier annulée", + "Select or create tags to apply to all selected files" : "Sélectionnez ou créez des étiquettes à appliquer à tous les fichiers sélectionnés", + "Select tags to apply to all selected files" : "Sélectionnez les étiquettes à appliquer à tous les fichiers sélectionnés", + "Apply changes" : "Appliquer les modifications" },"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 6dbb72e7eff..1b3eaf55001 100644 --- a/apps/systemtags/l10n/ga.js +++ b/apps/systemtags/l10n/ga.js @@ -80,10 +80,8 @@ OC.L10N.register( "Search tag" : "Clib cuardaigh", "Change tag color" : "Athraigh dath an chlib", "Create new tag" : "Cruthaigh clib nua", - "Select or create tags to apply to all selected files" : "Roghnaigh nó cruthaigh clibeanna le cur i bhfeidhm ar gach comhad roghnaithe", - "Select tags to apply to all selected files" : "Roghnaigh clibeanna le cur i bhfeidhm ar gach comhad roghnaithe", "Cancel" : "Cealaigh", - "Apply changes" : "Cuir athruithe i bhfeidhm", + "Apply" : "Cuir iarratas isteach", "Failed to load tags" : "Theip ar lódáil clibeanna", "Failed to load selected tags" : "Theip ar lódáil na gclibeanna roghnaithe", "Failed to select tag" : "Theip ar an gclib a roghnú", @@ -110,6 +108,9 @@ OC.L10N.register( "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", - "File tags modification canceled" : "Cealaíodh modhnú clibeanna comhaid" + "File tags modification canceled" : "Cealaíodh modhnú clibeanna comhaid", + "Select or create tags to apply to all selected files" : "Roghnaigh nó cruthaigh clibeanna le cur i bhfeidhm ar gach comhad roghnaithe", + "Select tags to apply to all selected files" : "Roghnaigh clibeanna le cur i bhfeidhm ar gach comhad roghnaithe", + "Apply changes" : "Cuir athruithe i bhfeidhm" }, "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 9e757e91b42..23dec26f9cc 100644 --- a/apps/systemtags/l10n/ga.json +++ b/apps/systemtags/l10n/ga.json @@ -78,10 +78,8 @@ "Search tag" : "Clib cuardaigh", "Change tag color" : "Athraigh dath an chlib", "Create new tag" : "Cruthaigh clib nua", - "Select or create tags to apply to all selected files" : "Roghnaigh nó cruthaigh clibeanna le cur i bhfeidhm ar gach comhad roghnaithe", - "Select tags to apply to all selected files" : "Roghnaigh clibeanna le cur i bhfeidhm ar gach comhad roghnaithe", "Cancel" : "Cealaigh", - "Apply changes" : "Cuir athruithe i bhfeidhm", + "Apply" : "Cuir iarratas isteach", "Failed to load tags" : "Theip ar lódáil clibeanna", "Failed to load selected tags" : "Theip ar lódáil na gclibeanna roghnaithe", "Failed to select tag" : "Theip ar an gclib a roghnú", @@ -108,6 +106,9 @@ "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", - "File tags modification canceled" : "Cealaíodh modhnú clibeanna comhaid" + "File tags modification canceled" : "Cealaíodh modhnú clibeanna comhaid", + "Select or create tags to apply to all selected files" : "Roghnaigh nó cruthaigh clibeanna le cur i bhfeidhm ar gach comhad roghnaithe", + "Select tags to apply to all selected files" : "Roghnaigh clibeanna le cur i bhfeidhm ar gach comhad roghnaithe", + "Apply changes" : "Cuir athruithe i bhfeidhm" },"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 80ddf565dee..c1620761353 100644 --- a/apps/systemtags/l10n/gl.js +++ b/apps/systemtags/l10n/gl.js @@ -80,10 +80,8 @@ OC.L10N.register( "Search tag" : "Buscar etiqueta", "Change tag color" : "Cambiar a cor da etiqueta", "Create new tag" : "Crear unha nova etiqueta", - "Select or create tags to apply to all selected files" : "Seleccionar ou crear etiquetas para aplicalas a todos os ficheiros seleccionados", - "Select tags to apply to all selected files" : "Seleccionar etiquetas para aplicalas a todos os ficheiros seleccionados", "Cancel" : "Cancelar", - "Apply changes" : "Aplicar os cambios", + "Apply" : "Aplicar", "Failed to load tags" : "Produciuse un fallo ao cargar as etiquetas", "Failed to load selected tags" : "Produciuse un fallo ao cargar as etiquetas seleccionadas", "Failed to select tag" : "Produciuse un fallo ao seleccionar a etiqueta", @@ -110,6 +108,9 @@ OC.L10N.register( "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", - "File tags modification canceled" : "Cancelouse a modificación das etiquetas do ficheiro" + "File tags modification canceled" : "Cancelouse a modificación das etiquetas do ficheiro", + "Select or create tags to apply to all selected files" : "Seleccionar ou crear etiquetas para aplicalas a todos os ficheiros seleccionados", + "Select tags to apply to all selected files" : "Seleccionar etiquetas para aplicalas a todos os ficheiros seleccionados", + "Apply changes" : "Aplicar os cambios" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/gl.json b/apps/systemtags/l10n/gl.json index 15fad9cfeff..d8de7073f56 100644 --- a/apps/systemtags/l10n/gl.json +++ b/apps/systemtags/l10n/gl.json @@ -78,10 +78,8 @@ "Search tag" : "Buscar etiqueta", "Change tag color" : "Cambiar a cor da etiqueta", "Create new tag" : "Crear unha nova etiqueta", - "Select or create tags to apply to all selected files" : "Seleccionar ou crear etiquetas para aplicalas a todos os ficheiros seleccionados", - "Select tags to apply to all selected files" : "Seleccionar etiquetas para aplicalas a todos os ficheiros seleccionados", "Cancel" : "Cancelar", - "Apply changes" : "Aplicar os cambios", + "Apply" : "Aplicar", "Failed to load tags" : "Produciuse un fallo ao cargar as etiquetas", "Failed to load selected tags" : "Produciuse un fallo ao cargar as etiquetas seleccionadas", "Failed to select tag" : "Produciuse un fallo ao seleccionar a etiqueta", @@ -108,6 +106,9 @@ "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", - "File tags modification canceled" : "Cancelouse a modificación das etiquetas do ficheiro" + "File tags modification canceled" : "Cancelouse a modificación das etiquetas do ficheiro", + "Select or create tags to apply to all selected files" : "Seleccionar ou crear etiquetas para aplicalas a todos os ficheiros seleccionados", + "Select tags to apply to all selected files" : "Seleccionar etiquetas para aplicalas a todos os ficheiros seleccionados", + "Apply changes" : "Aplicar os cambios" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/he.js b/apps/systemtags/l10n/he.js index 7db4dd4799b..7ff39f54b37 100644 --- a/apps/systemtags/l10n/he.js +++ b/apps/systemtags/l10n/he.js @@ -53,6 +53,7 @@ OC.L10N.register( "Loading …" : "בטעינה…", "Manage tags" : "ניהול תגיות", "Cancel" : "ביטול", + "Apply" : "החלה", "Failed to load tags" : "טעינת התגיות נכשלה", "Collaborative tags are available for all users. Restricted tags are visible to users but cannot be assigned by them. Invisible tags are for internal use, since users cannot see or assign them." : "תגיות שיתופיות זמינות לכל המשתמשים. תגיות מוגבלות חשופות למשתמשים אך אין להם אפשרות להקצות אותן. תגיות בלתי נראות הן לשימוש פנימי כיוון שמשתמשים לא יכולים לראות אות להקצות אותן.", "No tags found" : "לא נמצאו תגיות" diff --git a/apps/systemtags/l10n/he.json b/apps/systemtags/l10n/he.json index baa695a80a0..c412feddb26 100644 --- a/apps/systemtags/l10n/he.json +++ b/apps/systemtags/l10n/he.json @@ -51,6 +51,7 @@ "Loading …" : "בטעינה…", "Manage tags" : "ניהול תגיות", "Cancel" : "ביטול", + "Apply" : "החלה", "Failed to load tags" : "טעינת התגיות נכשלה", "Collaborative tags are available for all users. Restricted tags are visible to users but cannot be assigned by them. Invisible tags are for internal use, since users cannot see or assign them." : "תגיות שיתופיות זמינות לכל המשתמשים. תגיות מוגבלות חשופות למשתמשים אך אין להם אפשרות להקצות אותן. תגיות בלתי נראות הן לשימוש פנימי כיוון שמשתמשים לא יכולים לראות אות להקצות אותן.", "No tags found" : "לא נמצאו תגיות" diff --git a/apps/systemtags/l10n/hu.js b/apps/systemtags/l10n/hu.js index c959edc656e..0698a4f0a28 100644 --- a/apps/systemtags/l10n/hu.js +++ b/apps/systemtags/l10n/hu.js @@ -65,6 +65,7 @@ OC.L10N.register( "Loading …" : "Betöltés…", "Manage tags" : "Címkék kezelése", "Cancel" : "Mégse", + "Apply" : "Alkalmaz", "Failed to load tags" : "A címkék betöltése sikertelen", "Failed to load selected tags" : "A kiválasztott címkék betöltése sikertelen", "Failed to select tag" : "A címke kiválasztása sikertelen", diff --git a/apps/systemtags/l10n/hu.json b/apps/systemtags/l10n/hu.json index e12841fce9a..93a2cfd87b2 100644 --- a/apps/systemtags/l10n/hu.json +++ b/apps/systemtags/l10n/hu.json @@ -63,6 +63,7 @@ "Loading …" : "Betöltés…", "Manage tags" : "Címkék kezelése", "Cancel" : "Mégse", + "Apply" : "Alkalmaz", "Failed to load tags" : "A címkék betöltése sikertelen", "Failed to load selected tags" : "A kiválasztott címkék betöltése sikertelen", "Failed to select tag" : "A címke kiválasztása sikertelen", diff --git a/apps/systemtags/l10n/is.js b/apps/systemtags/l10n/is.js index dae0e671b02..3b3f99b1b21 100644 --- a/apps/systemtags/l10n/is.js +++ b/apps/systemtags/l10n/is.js @@ -72,7 +72,7 @@ OC.L10N.register( "Change tag color" : "Breyta lit merkis", "Create new tag" : "Búa til nýtt merki", "Cancel" : "Hætta við", - "Apply changes" : "Virkja breytingar", + "Apply" : "Virkja", "Failed to load tags" : "Mistókst að hlaða inn merkjum", "Failed to load selected tags" : "Mistókst að hlaða inn völdum merkjum", "Failed to select tag" : "Ekki tókst að velja merki", @@ -92,6 +92,7 @@ OC.L10N.register( "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á", - "File tags modification canceled" : "Hætt við breytingar á merkjum skráa" + "File tags modification canceled" : "Hætt við breytingar á merkjum skráa", + "Apply changes" : "Virkja breytingar" }, "nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"); diff --git a/apps/systemtags/l10n/is.json b/apps/systemtags/l10n/is.json index b5d70817bab..c99760297c1 100644 --- a/apps/systemtags/l10n/is.json +++ b/apps/systemtags/l10n/is.json @@ -70,7 +70,7 @@ "Change tag color" : "Breyta lit merkis", "Create new tag" : "Búa til nýtt merki", "Cancel" : "Hætta við", - "Apply changes" : "Virkja breytingar", + "Apply" : "Virkja", "Failed to load tags" : "Mistókst að hlaða inn merkjum", "Failed to load selected tags" : "Mistókst að hlaða inn völdum merkjum", "Failed to select tag" : "Ekki tókst að velja merki", @@ -90,6 +90,7 @@ "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á", - "File tags modification canceled" : "Hætt við breytingar á merkjum skráa" + "File tags modification canceled" : "Hætt við breytingar á merkjum skráa", + "Apply changes" : "Virkja breytingar" },"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 61a7f2511ec..c27a4d2067b 100644 --- a/apps/systemtags/l10n/it.js +++ b/apps/systemtags/l10n/it.js @@ -72,9 +72,8 @@ OC.L10N.register( "Applying tags changes…" : "Applico le modifiche ai tag...", "Search or create tag" : "Cerca o crea tag", "Create new tag" : "Crea un nuovo tag", - "Select or create tags to apply to all selected files" : "Seleziona o crea i tag da applicare a tutti i file selezionati", "Cancel" : "Annulla", - "Apply changes" : "Applica modifiche", + "Apply" : "Applica", "Failed to load tags" : "Caricamento etichette non riuscito", "Failed to load selected tags" : "Caricamento etichette selezionate fallito", "Failed to select tag" : "Selezione etichetta fallita", @@ -94,6 +93,8 @@ OC.L10N.register( "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", - "File tags modification canceled" : "Modifiche ai tag dei file annullate" + "File tags modification canceled" : "Modifiche ai tag dei file annullate", + "Select or create tags to apply to all selected files" : "Seleziona o crea i tag da applicare a tutti i file selezionati", + "Apply changes" : "Applica modifiche" }, "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 47ad14b105e..33f9f314af5 100644 --- a/apps/systemtags/l10n/it.json +++ b/apps/systemtags/l10n/it.json @@ -70,9 +70,8 @@ "Applying tags changes…" : "Applico le modifiche ai tag...", "Search or create tag" : "Cerca o crea tag", "Create new tag" : "Crea un nuovo tag", - "Select or create tags to apply to all selected files" : "Seleziona o crea i tag da applicare a tutti i file selezionati", "Cancel" : "Annulla", - "Apply changes" : "Applica modifiche", + "Apply" : "Applica", "Failed to load tags" : "Caricamento etichette non riuscito", "Failed to load selected tags" : "Caricamento etichette selezionate fallito", "Failed to select tag" : "Selezione etichetta fallita", @@ -92,6 +91,8 @@ "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", - "File tags modification canceled" : "Modifiche ai tag dei file annullate" + "File tags modification canceled" : "Modifiche ai tag dei file annullate", + "Select or create tags to apply to all selected files" : "Seleziona o crea i tag da applicare a tutti i file selezionati", + "Apply changes" : "Applica modifiche" },"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 08be193f036..9586d6869f9 100644 --- a/apps/systemtags/l10n/ja.js +++ b/apps/systemtags/l10n/ja.js @@ -80,10 +80,8 @@ OC.L10N.register( "Search tag" : "タグを検索", "Change tag color" : "タグの色を変更する", "Create new tag" : "新しいタグを作成", - "Select or create tags to apply to all selected files" : "選択した全てのファイルに適用するタグを選択または作成する", - "Select tags to apply to all selected files" : "選択した全てのファイルに適用するタグを選択", "Cancel" : "キャンセル", - "Apply changes" : "変更を適用する", + "Apply" : "適用", "Failed to load tags" : "タグの読込に失敗しました", "Failed to load selected tags" : "選択したタグの読み込みに失敗しました", "Failed to select tag" : "タグの選択に失敗しました", @@ -110,6 +108,9 @@ OC.L10N.register( "Failed to load tags for file" : "ファイルのタグのロードに失敗しました", "Failed to set tag for file" : "ファイルのタグの設定に失敗しました", "Failed to delete tag for file" : "ファイルのタグを削除できませんでした", - "File tags modification canceled" : "ファイルタグの変更がキャンセルされました" + "File tags modification canceled" : "ファイルタグの変更がキャンセルされました", + "Select or create tags to apply to all selected files" : "選択した全てのファイルに適用するタグを選択または作成する", + "Select tags to apply to all selected files" : "選択した全てのファイルに適用するタグを選択", + "Apply changes" : "変更を適用する" }, "nplurals=1; plural=0;"); diff --git a/apps/systemtags/l10n/ja.json b/apps/systemtags/l10n/ja.json index 9fcf0e2a4ff..ef2afacb7ce 100644 --- a/apps/systemtags/l10n/ja.json +++ b/apps/systemtags/l10n/ja.json @@ -78,10 +78,8 @@ "Search tag" : "タグを検索", "Change tag color" : "タグの色を変更する", "Create new tag" : "新しいタグを作成", - "Select or create tags to apply to all selected files" : "選択した全てのファイルに適用するタグを選択または作成する", - "Select tags to apply to all selected files" : "選択した全てのファイルに適用するタグを選択", "Cancel" : "キャンセル", - "Apply changes" : "変更を適用する", + "Apply" : "適用", "Failed to load tags" : "タグの読込に失敗しました", "Failed to load selected tags" : "選択したタグの読み込みに失敗しました", "Failed to select tag" : "タグの選択に失敗しました", @@ -108,6 +106,9 @@ "Failed to load tags for file" : "ファイルのタグのロードに失敗しました", "Failed to set tag for file" : "ファイルのタグの設定に失敗しました", "Failed to delete tag for file" : "ファイルのタグを削除できませんでした", - "File tags modification canceled" : "ファイルタグの変更がキャンセルされました" + "File tags modification canceled" : "ファイルタグの変更がキャンセルされました", + "Select or create tags to apply to all selected files" : "選択した全てのファイルに適用するタグを選択または作成する", + "Select tags to apply to all selected files" : "選択した全てのファイルに適用するタグを選択", + "Apply changes" : "変更を適用する" },"pluralForm" :"nplurals=1; plural=0;" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/ko.js b/apps/systemtags/l10n/ko.js index 9e12ad88bb6..c46d8c3e453 100644 --- a/apps/systemtags/l10n/ko.js +++ b/apps/systemtags/l10n/ko.js @@ -65,6 +65,7 @@ OC.L10N.register( "Loading …" : "불러오는 중 ...", "Manage tags" : "태그 관리하기", "Cancel" : "취소", + "Apply" : "적용", "Failed to load tags" : "태그 불러오기 실패", "Failed to load selected tags" : "선택 태그 불러오기 실패", "Failed to select tag" : "태그 선택 실패", diff --git a/apps/systemtags/l10n/ko.json b/apps/systemtags/l10n/ko.json index 3a1356a81f7..8b0e1f445ed 100644 --- a/apps/systemtags/l10n/ko.json +++ b/apps/systemtags/l10n/ko.json @@ -63,6 +63,7 @@ "Loading …" : "불러오는 중 ...", "Manage tags" : "태그 관리하기", "Cancel" : "취소", + "Apply" : "적용", "Failed to load tags" : "태그 불러오기 실패", "Failed to load selected tags" : "선택 태그 불러오기 실패", "Failed to select tag" : "태그 선택 실패", diff --git a/apps/systemtags/l10n/lt_LT.js b/apps/systemtags/l10n/lt_LT.js index d6301984b63..2685df152eb 100644 --- a/apps/systemtags/l10n/lt_LT.js +++ b/apps/systemtags/l10n/lt_LT.js @@ -63,7 +63,7 @@ OC.L10N.register( "Search or create tag" : "Ieškoti ar sukurti žymą", "Create new tag" : "Sukurti naują žymą", "Cancel" : "Atsisakyti", - "Apply changes" : "Taikyti pakeitimus", + "Apply" : "Taikyti", "Failed to load tags" : "Nepavyko įkelti žymas", "Failed to load selected tags" : "Nepavyko įkelti pasirinktų žymų", "Failed to select tag" : "Nepavyko pasirinkti žymą", @@ -75,6 +75,7 @@ OC.L10N.register( "Tags you have created will show up here." : "Čia bus rodomos jūsų sukurtos žymos.", "Failed to load tag" : "Nepavyko įkelti žymos", "Failed to load last used tags" : "Nepavyko įkelti paskutinių naudotų žymų", - "Failed to load tags for file" : "Nepavyko įkelti failo žymų" + "Failed to load tags for file" : "Nepavyko įkelti failo žymų", + "Apply changes" : "Taikyti pakeitimus" }, "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/systemtags/l10n/lt_LT.json b/apps/systemtags/l10n/lt_LT.json index ee7048df3b8..e4a285f3d00 100644 --- a/apps/systemtags/l10n/lt_LT.json +++ b/apps/systemtags/l10n/lt_LT.json @@ -61,7 +61,7 @@ "Search or create tag" : "Ieškoti ar sukurti žymą", "Create new tag" : "Sukurti naują žymą", "Cancel" : "Atsisakyti", - "Apply changes" : "Taikyti pakeitimus", + "Apply" : "Taikyti", "Failed to load tags" : "Nepavyko įkelti žymas", "Failed to load selected tags" : "Nepavyko įkelti pasirinktų žymų", "Failed to select tag" : "Nepavyko pasirinkti žymą", @@ -73,6 +73,7 @@ "Tags you have created will show up here." : "Čia bus rodomos jūsų sukurtos žymos.", "Failed to load tag" : "Nepavyko įkelti žymos", "Failed to load last used tags" : "Nepavyko įkelti paskutinių naudotų žymų", - "Failed to load tags for file" : "Nepavyko įkelti failo žymų" + "Failed to load tags for file" : "Nepavyko įkelti failo žymų", + "Apply changes" : "Taikyti pakeitimus" },"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/systemtags/l10n/lv.js b/apps/systemtags/l10n/lv.js index 4140ee32b0c..d7d36492eb2 100644 --- a/apps/systemtags/l10n/lv.js +++ b/apps/systemtags/l10n/lv.js @@ -53,6 +53,7 @@ OC.L10N.register( "Reset" : "Atiestatīt", "Loading …" : "Ielādē…", "Cancel" : "Atcelt", + "Apply" : "Apstiprināt", "Failed to load selected tags" : "Neizdevās ielādēt atlasītās birkas", "System admin disabled tag creation. You can only use existing ones." : "Sistēmas pārvaldītājs atspējoja birku izveidošanu. Ir iespējams izmantot tikai esošās.", "System tag creation is now restricted to administrators" : "Sistēmas birku izveidošana tagad ir pieejama tikai pārvaldītājiem", diff --git a/apps/systemtags/l10n/lv.json b/apps/systemtags/l10n/lv.json index fff7a065c58..110bf015285 100644 --- a/apps/systemtags/l10n/lv.json +++ b/apps/systemtags/l10n/lv.json @@ -51,6 +51,7 @@ "Reset" : "Atiestatīt", "Loading …" : "Ielādē…", "Cancel" : "Atcelt", + "Apply" : "Apstiprināt", "Failed to load selected tags" : "Neizdevās ielādēt atlasītās birkas", "System admin disabled tag creation. You can only use existing ones." : "Sistēmas pārvaldītājs atspējoja birku izveidošanu. Ir iespējams izmantot tikai esošās.", "System tag creation is now restricted to administrators" : "Sistēmas birku izveidošana tagad ir pieejama tikai pārvaldītājiem", diff --git a/apps/systemtags/l10n/mk.js b/apps/systemtags/l10n/mk.js index c22ff5d8374..1390926c291 100644 --- a/apps/systemtags/l10n/mk.js +++ b/apps/systemtags/l10n/mk.js @@ -72,7 +72,7 @@ OC.L10N.register( "Search tag" : "Барај ознака", "Create new tag" : "Креирај нова ознака", "Cancel" : "Откажи", - "Apply changes" : "Промени ги промените", + "Apply" : "Примени", "Failed to load tags" : "Неуспешно вчитување на ознаки", "Failed to load selected tags" : "Неуспешно вчитување на избраната ознака", "Failed to select tag" : "Неуспешно избирање на ознака", @@ -84,6 +84,7 @@ OC.L10N.register( "No tags found" : "Не се пронајдени ознаки", "Tags you have created will show up here." : "Ознаките што ги имате креирано ќе се појават овде", "Failed to load last used tags" : "Неуспешно вчитување на последно користените ознаки", - "Missing \"Content-Location\" header" : "Недостасува \"Content-Location\" заглавие" + "Missing \"Content-Location\" header" : "Недостасува \"Content-Location\" заглавие", + "Apply changes" : "Промени ги промените" }, "nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;"); diff --git a/apps/systemtags/l10n/mk.json b/apps/systemtags/l10n/mk.json index 5980e6ef18a..8f95dbb75ce 100644 --- a/apps/systemtags/l10n/mk.json +++ b/apps/systemtags/l10n/mk.json @@ -70,7 +70,7 @@ "Search tag" : "Барај ознака", "Create new tag" : "Креирај нова ознака", "Cancel" : "Откажи", - "Apply changes" : "Промени ги промените", + "Apply" : "Примени", "Failed to load tags" : "Неуспешно вчитување на ознаки", "Failed to load selected tags" : "Неуспешно вчитување на избраната ознака", "Failed to select tag" : "Неуспешно избирање на ознака", @@ -82,6 +82,7 @@ "No tags found" : "Не се пронајдени ознаки", "Tags you have created will show up here." : "Ознаките што ги имате креирано ќе се појават овде", "Failed to load last used tags" : "Неуспешно вчитување на последно користените ознаки", - "Missing \"Content-Location\" header" : "Недостасува \"Content-Location\" заглавие" + "Missing \"Content-Location\" header" : "Недостасува \"Content-Location\" заглавие", + "Apply changes" : "Промени ги промените" },"pluralForm" :"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/nb.js b/apps/systemtags/l10n/nb.js index 3844a621baa..46326e610bf 100644 --- a/apps/systemtags/l10n/nb.js +++ b/apps/systemtags/l10n/nb.js @@ -73,9 +73,8 @@ OC.L10N.register( "Search or create tag" : "Søk etter eller opprett merkelapp", "Change tag color" : "Endre farge på merkelapp", "Create new tag" : "Opprett ny merkelapp", - "Select or create tags to apply to all selected files" : "Velg eller opprett merkelapp for alle valgte filer", "Cancel" : "Avbryt", - "Apply changes" : "Utfør endringer", + "Apply" : "Bruk", "Failed to load tags" : "Lasting av merkelapper feilet", "Failed to load selected tags" : "Lasting av valgte merkelapper feilet", "Failed to select tag" : "Utvelging av merkelapp feilet", @@ -95,6 +94,8 @@ OC.L10N.register( "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", - "File tags modification canceled" : "Endring av merkelapper for fil ble avbrutt" + "File tags modification canceled" : "Endring av merkelapper for fil ble avbrutt", + "Select or create tags to apply to all selected files" : "Velg eller opprett merkelapp for alle valgte filer", + "Apply changes" : "Utfør endringer" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/nb.json b/apps/systemtags/l10n/nb.json index b2bbbfef474..b46d6b472b4 100644 --- a/apps/systemtags/l10n/nb.json +++ b/apps/systemtags/l10n/nb.json @@ -71,9 +71,8 @@ "Search or create tag" : "Søk etter eller opprett merkelapp", "Change tag color" : "Endre farge på merkelapp", "Create new tag" : "Opprett ny merkelapp", - "Select or create tags to apply to all selected files" : "Velg eller opprett merkelapp for alle valgte filer", "Cancel" : "Avbryt", - "Apply changes" : "Utfør endringer", + "Apply" : "Bruk", "Failed to load tags" : "Lasting av merkelapper feilet", "Failed to load selected tags" : "Lasting av valgte merkelapper feilet", "Failed to select tag" : "Utvelging av merkelapp feilet", @@ -93,6 +92,8 @@ "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", - "File tags modification canceled" : "Endring av merkelapper for fil ble avbrutt" + "File tags modification canceled" : "Endring av merkelapper for fil ble avbrutt", + "Select or create tags to apply to all selected files" : "Velg eller opprett merkelapp for alle valgte filer", + "Apply changes" : "Utfør endringer" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/apps/systemtags/l10n/nl.js b/apps/systemtags/l10n/nl.js index 0325ece3c09..531d4d8e9f6 100644 --- a/apps/systemtags/l10n/nl.js +++ b/apps/systemtags/l10n/nl.js @@ -54,6 +54,7 @@ OC.L10N.register( "Search or create tag" : "Zoek of maak een tag", "Search tag" : "Zoek tag", "Cancel" : "Annuleren", + "Apply" : "Pas toe", "Failed to load tags" : "Kon tags niet laden", "Search or create collaborative tags" : "Zoek of maak een samenwerkingstags", "Collaborative tags are available for all users. Restricted tags are visible to users but cannot be assigned by them. Invisible tags are for internal use, since users cannot see or assign them." : "Samenwerkingstags zijn beschikbaar voor alle gebruikers. Beperkte tags zijn zichtbaar voor gebruikers, maar kunnen niet door hen worden toegewezen. Onzichtbare tags zijn er alleen voor intern gebruik, aangezien gebruikers ze niet kunnen zien of toewijzen.", diff --git a/apps/systemtags/l10n/nl.json b/apps/systemtags/l10n/nl.json index a8a8737bda1..9fa02e4c96a 100644 --- a/apps/systemtags/l10n/nl.json +++ b/apps/systemtags/l10n/nl.json @@ -52,6 +52,7 @@ "Search or create tag" : "Zoek of maak een tag", "Search tag" : "Zoek tag", "Cancel" : "Annuleren", + "Apply" : "Pas toe", "Failed to load tags" : "Kon tags niet laden", "Search or create collaborative tags" : "Zoek of maak een samenwerkingstags", "Collaborative tags are available for all users. Restricted tags are visible to users but cannot be assigned by them. Invisible tags are for internal use, since users cannot see or assign them." : "Samenwerkingstags zijn beschikbaar voor alle gebruikers. Beperkte tags zijn zichtbaar voor gebruikers, maar kunnen niet door hen worden toegewezen. Onzichtbare tags zijn er alleen voor intern gebruik, aangezien gebruikers ze niet kunnen zien of toewijzen.", diff --git a/apps/systemtags/l10n/pl.js b/apps/systemtags/l10n/pl.js index ae6ed1cadb6..5f082f9561e 100644 --- a/apps/systemtags/l10n/pl.js +++ b/apps/systemtags/l10n/pl.js @@ -80,10 +80,9 @@ OC.L10N.register( "Search tag" : "Wyszukaj tag", "Change tag color" : "Zmień kolor etykiety", "Create new tag" : "Utwórz nową etykietę", - "Select or create tags to apply to all selected files" : "Wybierz lub utwórz etykiety do zastosowania do wszystkich zaznaczonych plików", - "Select tags to apply to all selected files" : "Wybierz tagi do zastosowania do wszystkich zaznaczonych plików", + "Choose tags for the selected files" : "Wybierz tagi dla oznaczonych plików", "Cancel" : "Anuluj", - "Apply changes" : "Zastosuj zmiany", + "Apply" : "Zastosuj", "Failed to load tags" : "Nie udało się załadować etykiet", "Failed to load selected tags" : "Nie udało się załadować wybranych tagów", "Failed to select tag" : "Nie udało się wybrać tagu", @@ -110,6 +109,9 @@ OC.L10N.register( "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", - "File tags modification canceled" : "Modyfikacja tagów pliku została anulowana" + "File tags modification canceled" : "Modyfikacja tagów pliku została anulowana", + "Select or create tags to apply to all selected files" : "Wybierz lub utwórz etykiety do zastosowania do wszystkich zaznaczonych plików", + "Select tags to apply to all selected files" : "Wybierz tagi do zastosowania do wszystkich zaznaczonych plików", + "Apply changes" : "Zastosuj zmiany" }, "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 c00b81ba492..5f7bf990ae8 100644 --- a/apps/systemtags/l10n/pl.json +++ b/apps/systemtags/l10n/pl.json @@ -78,10 +78,9 @@ "Search tag" : "Wyszukaj tag", "Change tag color" : "Zmień kolor etykiety", "Create new tag" : "Utwórz nową etykietę", - "Select or create tags to apply to all selected files" : "Wybierz lub utwórz etykiety do zastosowania do wszystkich zaznaczonych plików", - "Select tags to apply to all selected files" : "Wybierz tagi do zastosowania do wszystkich zaznaczonych plików", + "Choose tags for the selected files" : "Wybierz tagi dla oznaczonych plików", "Cancel" : "Anuluj", - "Apply changes" : "Zastosuj zmiany", + "Apply" : "Zastosuj", "Failed to load tags" : "Nie udało się załadować etykiet", "Failed to load selected tags" : "Nie udało się załadować wybranych tagów", "Failed to select tag" : "Nie udało się wybrać tagu", @@ -108,6 +107,9 @@ "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", - "File tags modification canceled" : "Modyfikacja tagów pliku została anulowana" + "File tags modification canceled" : "Modyfikacja tagów pliku została anulowana", + "Select or create tags to apply to all selected files" : "Wybierz lub utwórz etykiety do zastosowania do wszystkich zaznaczonych plików", + "Select tags to apply to all selected files" : "Wybierz tagi do zastosowania do wszystkich zaznaczonych plików", + "Apply changes" : "Zastosuj zmiany" },"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 70f84209455..6f931085ed1 100644 --- a/apps/systemtags/l10n/pt_BR.js +++ b/apps/systemtags/l10n/pt_BR.js @@ -80,10 +80,8 @@ OC.L10N.register( "Search tag" : "Pesquisar etiqueta", "Change tag color" : "Alterar cor da etiqueta", "Create new tag" : "Criar etiqueta nova", - "Select or create tags to apply to all selected files" : "Selecione ou crie etiquetas para aplicar a todos os arquivos selecionados", - "Select tags to apply to all selected files" : "Selecione etiquetas para aplicar a todos os arquivos selecionados", "Cancel" : "Cancelar", - "Apply changes" : "Aplicar alterações", + "Apply" : "Aplicar", "Failed to load tags" : "Erro ao carregar etiquetas", "Failed to load selected tags" : "Falha ao carregar as etiquetas selecionadas", "Failed to select tag" : "Falha ao selecionar etiqueta", @@ -110,6 +108,9 @@ OC.L10N.register( "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", - "File tags modification canceled" : "Modificação de etiquetas de arquivo cancelada" + "File tags modification canceled" : "Modificação de etiquetas de arquivo cancelada", + "Select or create tags to apply to all selected files" : "Selecione ou crie etiquetas para aplicar a todos os arquivos selecionados", + "Select tags to apply to all selected files" : "Selecione etiquetas para aplicar a todos os arquivos selecionados", + "Apply changes" : "Aplicar alterações" }, "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 98729d1997e..c5bc3eeedd5 100644 --- a/apps/systemtags/l10n/pt_BR.json +++ b/apps/systemtags/l10n/pt_BR.json @@ -78,10 +78,8 @@ "Search tag" : "Pesquisar etiqueta", "Change tag color" : "Alterar cor da etiqueta", "Create new tag" : "Criar etiqueta nova", - "Select or create tags to apply to all selected files" : "Selecione ou crie etiquetas para aplicar a todos os arquivos selecionados", - "Select tags to apply to all selected files" : "Selecione etiquetas para aplicar a todos os arquivos selecionados", "Cancel" : "Cancelar", - "Apply changes" : "Aplicar alterações", + "Apply" : "Aplicar", "Failed to load tags" : "Erro ao carregar etiquetas", "Failed to load selected tags" : "Falha ao carregar as etiquetas selecionadas", "Failed to select tag" : "Falha ao selecionar etiqueta", @@ -108,6 +106,9 @@ "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", - "File tags modification canceled" : "Modificação de etiquetas de arquivo cancelada" + "File tags modification canceled" : "Modificação de etiquetas de arquivo cancelada", + "Select or create tags to apply to all selected files" : "Selecione ou crie etiquetas para aplicar a todos os arquivos selecionados", + "Select tags to apply to all selected files" : "Selecione etiquetas para aplicar a todos os arquivos selecionados", + "Apply changes" : "Aplicar alterações" },"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 ed47fce5f6b..44852357da9 100644 --- a/apps/systemtags/l10n/ru.js +++ b/apps/systemtags/l10n/ru.js @@ -80,10 +80,8 @@ OC.L10N.register( "Search tag" : "Найти метку", "Change tag color" : "Изменить цвет метки", "Create new tag" : "Создать новый тег", - "Select or create tags to apply to all selected files" : "Выберите или создайте метки для применения ко всем выбранным файлам", - "Select tags to apply to all selected files" : "Выберите метки для применения ко всем выбранным файлам", "Cancel" : "Отмена", - "Apply changes" : "Применить изменения", + "Apply" : "Применить", "Failed to load tags" : "Не удалось загрузить метки", "Failed to load selected tags" : "Не удалось загрузить выбранный тег", "Failed to select tag" : "Не удалось выбрать тег", @@ -110,6 +108,9 @@ OC.L10N.register( "Failed to load tags for file" : "Не удалось загрузить метки для файла", "Failed to set tag for file" : "Не удалось поставить метку файлу", "Failed to delete tag for file" : "Не удалось удалить метку у файла", - "File tags modification canceled" : "Изменение меток отменено" + "File tags modification canceled" : "Изменение меток отменено", + "Select or create tags to apply to all selected files" : "Выберите или создайте метки для применения ко всем выбранным файлам", + "Select tags to apply to all selected files" : "Выберите метки для применения ко всем выбранным файлам", + "Apply changes" : "Применить изменения" }, "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 eed5a6eb271..b39d03ab8bc 100644 --- a/apps/systemtags/l10n/ru.json +++ b/apps/systemtags/l10n/ru.json @@ -78,10 +78,8 @@ "Search tag" : "Найти метку", "Change tag color" : "Изменить цвет метки", "Create new tag" : "Создать новый тег", - "Select or create tags to apply to all selected files" : "Выберите или создайте метки для применения ко всем выбранным файлам", - "Select tags to apply to all selected files" : "Выберите метки для применения ко всем выбранным файлам", "Cancel" : "Отмена", - "Apply changes" : "Применить изменения", + "Apply" : "Применить", "Failed to load tags" : "Не удалось загрузить метки", "Failed to load selected tags" : "Не удалось загрузить выбранный тег", "Failed to select tag" : "Не удалось выбрать тег", @@ -108,6 +106,9 @@ "Failed to load tags for file" : "Не удалось загрузить метки для файла", "Failed to set tag for file" : "Не удалось поставить метку файлу", "Failed to delete tag for file" : "Не удалось удалить метку у файла", - "File tags modification canceled" : "Изменение меток отменено" + "File tags modification canceled" : "Изменение меток отменено", + "Select or create tags to apply to all selected files" : "Выберите или создайте метки для применения ко всем выбранным файлам", + "Select tags to apply to all selected files" : "Выберите метки для применения ко всем выбранным файлам", + "Apply changes" : "Применить изменения" },"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 631f625c61e..901356a1da1 100644 --- a/apps/systemtags/l10n/sk.js +++ b/apps/systemtags/l10n/sk.js @@ -73,9 +73,8 @@ OC.L10N.register( "Search or create tag" : "Vyhľadať alebo vytvoriť štítok", "Change tag color" : "Zmeniť farbu štítkov", "Create new tag" : "Vytvoriť nový štítok", - "Select or create tags to apply to all selected files" : "Vybrať alebo vytvoriť štítok a aplikovať na všetky vybrané súbory", "Cancel" : "Zrušiť", - "Apply changes" : "Aplikovať zmeny", + "Apply" : "Použiť", "Failed to load tags" : "Nepodarilo sa načítať štítky", "Failed to load selected tags" : "Nepodarilo sa načítať vytvorený štítok", "Failed to select tag" : "Nepodarilo sa vybrať štítok", @@ -99,6 +98,8 @@ OC.L10N.register( "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", - "File tags modification canceled" : "Zmena štítkov súboru bola zrušená" + "File tags modification canceled" : "Zmena štítkov súboru bola zrušená", + "Select or create tags to apply to all selected files" : "Vybrať alebo vytvoriť štítok a aplikovať na všetky vybrané súbory", + "Apply changes" : "Aplikovať zmeny" }, "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 2de6df965d1..eca560c31f6 100644 --- a/apps/systemtags/l10n/sk.json +++ b/apps/systemtags/l10n/sk.json @@ -71,9 +71,8 @@ "Search or create tag" : "Vyhľadať alebo vytvoriť štítok", "Change tag color" : "Zmeniť farbu štítkov", "Create new tag" : "Vytvoriť nový štítok", - "Select or create tags to apply to all selected files" : "Vybrať alebo vytvoriť štítok a aplikovať na všetky vybrané súbory", "Cancel" : "Zrušiť", - "Apply changes" : "Aplikovať zmeny", + "Apply" : "Použiť", "Failed to load tags" : "Nepodarilo sa načítať štítky", "Failed to load selected tags" : "Nepodarilo sa načítať vytvorený štítok", "Failed to select tag" : "Nepodarilo sa vybrať štítok", @@ -97,6 +96,8 @@ "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", - "File tags modification canceled" : "Zmena štítkov súboru bola zrušená" + "File tags modification canceled" : "Zmena štítkov súboru bola zrušená", + "Select or create tags to apply to all selected files" : "Vybrať alebo vytvoriť štítok a aplikovať na všetky vybrané súbory", + "Apply changes" : "Aplikovať zmeny" },"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/sl.js b/apps/systemtags/l10n/sl.js index 2388326acc5..505b18062fd 100644 --- a/apps/systemtags/l10n/sl.js +++ b/apps/systemtags/l10n/sl.js @@ -63,6 +63,7 @@ OC.L10N.register( "Loading …" : "Poteka nalaganje …", "Manage tags" : "Upravljanje oznak", "Cancel" : "Prekliči", + "Apply" : "Uveljavi", "Failed to load tags" : "Nalaganje oznak je spodletelo", "Collaborative tags are available for all users. Restricted tags are visible to users but cannot be assigned by them. Invisible tags are for internal use, since users cannot see or assign them." : "Sodelovalne oznake so na voljo vsem uporabnikom, omejitvene so uporabnikom vidne, a jih ni mogoče dodeliti, nevidne pa so namenjene sistemski rabi, uporabniki jih niti ne vidijo niti jih ne morejo dodeliti.", "Open in Files" : "Odpri v mapi", diff --git a/apps/systemtags/l10n/sl.json b/apps/systemtags/l10n/sl.json index d1d4b22cbf0..32a17033114 100644 --- a/apps/systemtags/l10n/sl.json +++ b/apps/systemtags/l10n/sl.json @@ -61,6 +61,7 @@ "Loading …" : "Poteka nalaganje …", "Manage tags" : "Upravljanje oznak", "Cancel" : "Prekliči", + "Apply" : "Uveljavi", "Failed to load tags" : "Nalaganje oznak je spodletelo", "Collaborative tags are available for all users. Restricted tags are visible to users but cannot be assigned by them. Invisible tags are for internal use, since users cannot see or assign them." : "Sodelovalne oznake so na voljo vsem uporabnikom, omejitvene so uporabnikom vidne, a jih ni mogoče dodeliti, nevidne pa so namenjene sistemski rabi, uporabniki jih niti ne vidijo niti jih ne morejo dodeliti.", "Open in Files" : "Odpri v mapi", diff --git a/apps/systemtags/l10n/sr.js b/apps/systemtags/l10n/sr.js index 92ad826f423..9155e581c4d 100644 --- a/apps/systemtags/l10n/sr.js +++ b/apps/systemtags/l10n/sr.js @@ -80,10 +80,8 @@ OC.L10N.register( "Search tag" : "Претражи ознаку", "Change tag color" : "Промени боју ознаке", "Create new tag" : "Креирај нову ознаку", - "Select or create tags to apply to all selected files" : "Избор или креирање ознака које ће се применити на све изабране фајлове", - "Select tags to apply to all selected files" : "Изаберите ознаке које ће се применити на све изабране фајлове", "Cancel" : "Откажи", - "Apply changes" : "Примени измене", + "Apply" : "Примени", "Failed to load tags" : "Грешка при учитавању ознака", "Failed to load selected tags" : "Изабрана ознака није могла да се учита", "Failed to select tag" : "Ознака није могла да се изабере", @@ -110,6 +108,9 @@ OC.L10N.register( "Failed to load tags for file" : "Није успело учитавање ознака за фајл", "Failed to set tag for file" : "Није успело постављање ознака за фајл", "Failed to delete tag for file" : "Није успело брисање ознака за фајл", - "File tags modification canceled" : "Отказана је измена ознака фајла" + "File tags modification canceled" : "Отказана је измена ознака фајла", + "Select or create tags to apply to all selected files" : "Избор или креирање ознака које ће се применити на све изабране фајлове", + "Select tags to apply to all selected files" : "Изаберите ознаке које ће се применити на све изабране фајлове", + "Apply changes" : "Примени измене" }, "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 f01c6d45a2e..b57b44f17a7 100644 --- a/apps/systemtags/l10n/sr.json +++ b/apps/systemtags/l10n/sr.json @@ -78,10 +78,8 @@ "Search tag" : "Претражи ознаку", "Change tag color" : "Промени боју ознаке", "Create new tag" : "Креирај нову ознаку", - "Select or create tags to apply to all selected files" : "Избор или креирање ознака које ће се применити на све изабране фајлове", - "Select tags to apply to all selected files" : "Изаберите ознаке које ће се применити на све изабране фајлове", "Cancel" : "Откажи", - "Apply changes" : "Примени измене", + "Apply" : "Примени", "Failed to load tags" : "Грешка при учитавању ознака", "Failed to load selected tags" : "Изабрана ознака није могла да се учита", "Failed to select tag" : "Ознака није могла да се изабере", @@ -108,6 +106,9 @@ "Failed to load tags for file" : "Није успело учитавање ознака за фајл", "Failed to set tag for file" : "Није успело постављање ознака за фајл", "Failed to delete tag for file" : "Није успело брисање ознака за фајл", - "File tags modification canceled" : "Отказана је измена ознака фајла" + "File tags modification canceled" : "Отказана је измена ознака фајла", + "Select or create tags to apply to all selected files" : "Избор или креирање ознака које ће се применити на све изабране фајлове", + "Select tags to apply to all selected files" : "Изаберите ознаке које ће се применити на све изабране фајлове", + "Apply changes" : "Примени измене" },"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 877c95ee6e7..b16a80bf7b7 100644 --- a/apps/systemtags/l10n/sv.js +++ b/apps/systemtags/l10n/sv.js @@ -80,10 +80,8 @@ OC.L10N.register( "Search tag" : "Sök tagg", "Change tag color" : "Ändra färg på tagg", "Create new tag" : "Skapa ny tagg", - "Select or create tags to apply to all selected files" : "Välj eller skapa taggar som ska tillämpas på alla valda filer", - "Select tags to apply to all selected files" : "Välj taggar att använda på alla valda filer", "Cancel" : "Avbryt", - "Apply changes" : "Tillämpa ändringar", + "Apply" : "Tillämpa", "Failed to load tags" : "Kunde inte läsa in taggar", "Failed to load selected tags" : "Det gick inte att läsa in valda taggar", "Failed to select tag" : "Det gick inte att välja tagg", @@ -110,6 +108,9 @@ OC.L10N.register( "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", - "File tags modification canceled" : "Ändring av filtaggar avbröts" + "File tags modification canceled" : "Ändring av filtaggar avbröts", + "Select or create tags to apply to all selected files" : "Välj eller skapa taggar som ska tillämpas på alla valda filer", + "Select tags to apply to all selected files" : "Välj taggar att använda på alla valda filer", + "Apply changes" : "Tillämpa ändringar" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/sv.json b/apps/systemtags/l10n/sv.json index 36476d837c6..a70c40d7cf5 100644 --- a/apps/systemtags/l10n/sv.json +++ b/apps/systemtags/l10n/sv.json @@ -78,10 +78,8 @@ "Search tag" : "Sök tagg", "Change tag color" : "Ändra färg på tagg", "Create new tag" : "Skapa ny tagg", - "Select or create tags to apply to all selected files" : "Välj eller skapa taggar som ska tillämpas på alla valda filer", - "Select tags to apply to all selected files" : "Välj taggar att använda på alla valda filer", "Cancel" : "Avbryt", - "Apply changes" : "Tillämpa ändringar", + "Apply" : "Tillämpa", "Failed to load tags" : "Kunde inte läsa in taggar", "Failed to load selected tags" : "Det gick inte att läsa in valda taggar", "Failed to select tag" : "Det gick inte att välja tagg", @@ -108,6 +106,9 @@ "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", - "File tags modification canceled" : "Ändring av filtaggar avbröts" + "File tags modification canceled" : "Ändring av filtaggar avbröts", + "Select or create tags to apply to all selected files" : "Välj eller skapa taggar som ska tillämpas på alla valda filer", + "Select tags to apply to all selected files" : "Välj taggar att använda på alla valda filer", + "Apply changes" : "Tillämpa ändringar" },"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 185cd37318e..0ad6dfb1f78 100644 --- a/apps/systemtags/l10n/tr.js +++ b/apps/systemtags/l10n/tr.js @@ -80,10 +80,8 @@ OC.L10N.register( "Search tag" : "Etiket arama", "Change tag color" : "Etiket rengini değiştir", "Create new tag" : "Etiket ekle", - "Select or create tags to apply to all selected files" : "Tüm seçilmiş dosyalara uygulanacak etiketleri seçin ya da oluşturun", - "Select tags to apply to all selected files" : "Tüm seçilmiş dosyalara uygulanacak etiketleri seçin", "Cancel" : "İptal", - "Apply changes" : "Değişiklikleri uygula", + "Apply" : "Uygula", "Failed to load tags" : "Etiketler yüklenemedi", "Failed to load selected tags" : "Seçilmiş etiketler yüklenemedi", "Failed to select tag" : "Seçilmiş etiket yüklenemedi", @@ -110,6 +108,9 @@ OC.L10N.register( "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", - "File tags modification canceled" : "Dosya etiket değişikliği iptal edildi" + "File tags modification canceled" : "Dosya etiket değişikliği iptal edildi", + "Select or create tags to apply to all selected files" : "Tüm seçilmiş dosyalara uygulanacak etiketleri seçin ya da oluşturun", + "Select tags to apply to all selected files" : "Tüm seçilmiş dosyalara uygulanacak etiketleri seçin", + "Apply changes" : "Değişiklikleri uygula" }, "nplurals=2; plural=(n > 1);"); diff --git a/apps/systemtags/l10n/tr.json b/apps/systemtags/l10n/tr.json index ff4b5686fb6..a3aedf24959 100644 --- a/apps/systemtags/l10n/tr.json +++ b/apps/systemtags/l10n/tr.json @@ -78,10 +78,8 @@ "Search tag" : "Etiket arama", "Change tag color" : "Etiket rengini değiştir", "Create new tag" : "Etiket ekle", - "Select or create tags to apply to all selected files" : "Tüm seçilmiş dosyalara uygulanacak etiketleri seçin ya da oluşturun", - "Select tags to apply to all selected files" : "Tüm seçilmiş dosyalara uygulanacak etiketleri seçin", "Cancel" : "İptal", - "Apply changes" : "Değişiklikleri uygula", + "Apply" : "Uygula", "Failed to load tags" : "Etiketler yüklenemedi", "Failed to load selected tags" : "Seçilmiş etiketler yüklenemedi", "Failed to select tag" : "Seçilmiş etiket yüklenemedi", @@ -108,6 +106,9 @@ "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", - "File tags modification canceled" : "Dosya etiket değişikliği iptal edildi" + "File tags modification canceled" : "Dosya etiket değişikliği iptal edildi", + "Select or create tags to apply to all selected files" : "Tüm seçilmiş dosyalara uygulanacak etiketleri seçin ya da oluşturun", + "Select tags to apply to all selected files" : "Tüm seçilmiş dosyalara uygulanacak etiketleri seçin", + "Apply changes" : "Değişiklikleri uygula" },"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 058b7debb3c..8ac4ccdec9c 100644 --- a/apps/systemtags/l10n/ug.js +++ b/apps/systemtags/l10n/ug.js @@ -71,9 +71,8 @@ OC.L10N.register( "Manage tags" : "خەتكۈچلەرنى باشقۇرۇش", "Applying tags changes…" : "خەتكۈچ ئۆزگەرتىش…", "Search or create tag" : "بەلگە ئىزدەش ياكى قۇرۇش", - "Select or create tags to apply to all selected files" : "بارلىق تاللانغان ھۆججەتلەرگە ماس كېلىدىغان بەلگىلەرنى تاللاڭ ياكى قۇرالايسىز", "Cancel" : "بىكار قىلىش", - "Apply changes" : "ئۆزگەرتىشلەرنى ئىشلىتىڭ", + "Apply" : "ئىلتىماس قىلىڭ", "Failed to load tags" : "خەتكۈچلەرنى يۈكلىيەلمىدى", "Failed to load selected tags" : "تاللانغان خەتكۈچلەرنى يۈكلىيەلمىدى", "Failed to select tag" : "خەتكۈچنى تاللىيالمىدى", @@ -93,6 +92,8 @@ OC.L10N.register( "Failed to load tags for file" : "ھۆججەتنىڭ خەتكۈچلىرىنى يۈكلىيەلمىدى", "Failed to set tag for file" : "ھۆججەتكە بەلگە بەلگىلەش مەغلۇپ بولدى", "Failed to delete tag for file" : "ھۆججەتنىڭ بەلگىسىنى ئۆچۈرەلمىدى", - "File tags modification canceled" : "ھۆججەت خەتكۈچلىرىنى ئۆزگەرتىش ئەمەلدىن قالدۇرۇلدى" + "File tags modification canceled" : "ھۆججەت خەتكۈچلىرىنى ئۆزگەرتىش ئەمەلدىن قالدۇرۇلدى", + "Select or create tags to apply to all selected files" : "بارلىق تاللانغان ھۆججەتلەرگە ماس كېلىدىغان بەلگىلەرنى تاللاڭ ياكى قۇرالايسىز", + "Apply changes" : "ئۆزگەرتىشلەرنى ئىشلىتىڭ" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/systemtags/l10n/ug.json b/apps/systemtags/l10n/ug.json index 22266f58218..778c74d293d 100644 --- a/apps/systemtags/l10n/ug.json +++ b/apps/systemtags/l10n/ug.json @@ -69,9 +69,8 @@ "Manage tags" : "خەتكۈچلەرنى باشقۇرۇش", "Applying tags changes…" : "خەتكۈچ ئۆزگەرتىش…", "Search or create tag" : "بەلگە ئىزدەش ياكى قۇرۇش", - "Select or create tags to apply to all selected files" : "بارلىق تاللانغان ھۆججەتلەرگە ماس كېلىدىغان بەلگىلەرنى تاللاڭ ياكى قۇرالايسىز", "Cancel" : "بىكار قىلىش", - "Apply changes" : "ئۆزگەرتىشلەرنى ئىشلىتىڭ", + "Apply" : "ئىلتىماس قىلىڭ", "Failed to load tags" : "خەتكۈچلەرنى يۈكلىيەلمىدى", "Failed to load selected tags" : "تاللانغان خەتكۈچلەرنى يۈكلىيەلمىدى", "Failed to select tag" : "خەتكۈچنى تاللىيالمىدى", @@ -91,6 +90,8 @@ "Failed to load tags for file" : "ھۆججەتنىڭ خەتكۈچلىرىنى يۈكلىيەلمىدى", "Failed to set tag for file" : "ھۆججەتكە بەلگە بەلگىلەش مەغلۇپ بولدى", "Failed to delete tag for file" : "ھۆججەتنىڭ بەلگىسىنى ئۆچۈرەلمىدى", - "File tags modification canceled" : "ھۆججەت خەتكۈچلىرىنى ئۆزگەرتىش ئەمەلدىن قالدۇرۇلدى" + "File tags modification canceled" : "ھۆججەت خەتكۈچلىرىنى ئۆزگەرتىش ئەمەلدىن قالدۇرۇلدى", + "Select or create tags to apply to all selected files" : "بارلىق تاللانغان ھۆججەتلەرگە ماس كېلىدىغان بەلگىلەرنى تاللاڭ ياكى قۇرالايسىز", + "Apply changes" : "ئۆزگەرتىشلەرنى ئىشلىتىڭ" },"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 ad9d3e06920..b994991d0bc 100644 --- a/apps/systemtags/l10n/uk.js +++ b/apps/systemtags/l10n/uk.js @@ -80,10 +80,9 @@ OC.L10N.register( "Search tag" : "Шукати мітку", "Change tag color" : "Змінити колір мітки", "Create new tag" : "Створити нову мітку", - "Select or create tags to apply to all selected files" : "Застосувати до всіх вибраних файлів шукати або створити мітки", - "Select tags to apply to all selected files" : "Виберіть теги, які потрібно застосувати до всіх вибраних файлів", + "Choose tags for the selected files" : "Виберіть теги для вибраних файлів", "Cancel" : "Скасувати", - "Apply changes" : "Застосувати зміни", + "Apply" : "Застосувати", "Failed to load tags" : "Не вдалося завантажити мітки", "Failed to load selected tags" : "Не вдалося завантажити вибрані мітки", "Failed to select tag" : "Не вдалося вибрати мітку", @@ -110,6 +109,9 @@ OC.L10N.register( "Failed to load tags for file" : "Не вдалося завантажити мітки для файлу", "Failed to set tag for file" : "Не вдалося встановити мітку для файлу", "Failed to delete tag for file" : "Не вдалося вилучить мітку для файлу", - "File tags modification canceled" : "Скасовано зміни до міток файлів" + "File tags modification canceled" : "Скасовано зміни до міток файлів", + "Select or create tags to apply to all selected files" : "Застосувати до всіх вибраних файлів шукати або створити мітки", + "Select tags to apply to all selected files" : "Виберіть теги, які потрібно застосувати до всіх вибраних файлів", + "Apply changes" : "Застосувати зміни" }, "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 6a474e67d81..9b6a862f55e 100644 --- a/apps/systemtags/l10n/uk.json +++ b/apps/systemtags/l10n/uk.json @@ -78,10 +78,9 @@ "Search tag" : "Шукати мітку", "Change tag color" : "Змінити колір мітки", "Create new tag" : "Створити нову мітку", - "Select or create tags to apply to all selected files" : "Застосувати до всіх вибраних файлів шукати або створити мітки", - "Select tags to apply to all selected files" : "Виберіть теги, які потрібно застосувати до всіх вибраних файлів", + "Choose tags for the selected files" : "Виберіть теги для вибраних файлів", "Cancel" : "Скасувати", - "Apply changes" : "Застосувати зміни", + "Apply" : "Застосувати", "Failed to load tags" : "Не вдалося завантажити мітки", "Failed to load selected tags" : "Не вдалося завантажити вибрані мітки", "Failed to select tag" : "Не вдалося вибрати мітку", @@ -108,6 +107,9 @@ "Failed to load tags for file" : "Не вдалося завантажити мітки для файлу", "Failed to set tag for file" : "Не вдалося встановити мітку для файлу", "Failed to delete tag for file" : "Не вдалося вилучить мітку для файлу", - "File tags modification canceled" : "Скасовано зміни до міток файлів" + "File tags modification canceled" : "Скасовано зміни до міток файлів", + "Select or create tags to apply to all selected files" : "Застосувати до всіх вибраних файлів шукати або створити мітки", + "Select tags to apply to all selected files" : "Виберіть теги, які потрібно застосувати до всіх вибраних файлів", + "Apply changes" : "Застосувати зміни" },"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 caec30cb30f..4a0f97f6f4c 100644 --- a/apps/systemtags/l10n/zh_CN.js +++ b/apps/systemtags/l10n/zh_CN.js @@ -80,10 +80,8 @@ OC.L10N.register( "Search tag" : "搜索标签", "Change tag color" : "更改标签颜色", "Create new tag" : "创建新标签", - "Select or create tags to apply to all selected files" : "选择或创建标签以应用于所有选定文件", - "Select tags to apply to all selected files" : "选择要应用于所有选定文件的标签", "Cancel" : "取消", - "Apply changes" : "应用更改", + "Apply" : "应用", "Failed to load tags" : "加载标签失败", "Failed to load selected tags" : "无法加载选中标签", "Failed to select tag" : "无法选中该标签", @@ -110,6 +108,9 @@ OC.L10N.register( "Failed to load tags for file" : "无法加载该文件的标签", "Failed to set tag for file" : "无法设置该文件的标签", "Failed to delete tag for file" : "无法删除该文件的标签", - "File tags modification canceled" : "文件标签修改已取消" + "File tags modification canceled" : "文件标签修改已取消", + "Select or create tags to apply to all selected files" : "选择或创建标签以应用于所有选定文件", + "Select tags to apply to all selected files" : "选择要应用于所有选定文件的标签", + "Apply changes" : "应用更改" }, "nplurals=1; plural=0;"); diff --git a/apps/systemtags/l10n/zh_CN.json b/apps/systemtags/l10n/zh_CN.json index b31988f26dc..7bda00e0274 100644 --- a/apps/systemtags/l10n/zh_CN.json +++ b/apps/systemtags/l10n/zh_CN.json @@ -78,10 +78,8 @@ "Search tag" : "搜索标签", "Change tag color" : "更改标签颜色", "Create new tag" : "创建新标签", - "Select or create tags to apply to all selected files" : "选择或创建标签以应用于所有选定文件", - "Select tags to apply to all selected files" : "选择要应用于所有选定文件的标签", "Cancel" : "取消", - "Apply changes" : "应用更改", + "Apply" : "应用", "Failed to load tags" : "加载标签失败", "Failed to load selected tags" : "无法加载选中标签", "Failed to select tag" : "无法选中该标签", @@ -108,6 +106,9 @@ "Failed to load tags for file" : "无法加载该文件的标签", "Failed to set tag for file" : "无法设置该文件的标签", "Failed to delete tag for file" : "无法删除该文件的标签", - "File tags modification canceled" : "文件标签修改已取消" + "File tags modification canceled" : "文件标签修改已取消", + "Select or create tags to apply to all selected files" : "选择或创建标签以应用于所有选定文件", + "Select tags to apply to all selected files" : "选择要应用于所有选定文件的标签", + "Apply changes" : "应用更改" },"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 f0c50b19d86..d0106295639 100644 --- a/apps/systemtags/l10n/zh_HK.js +++ b/apps/systemtags/l10n/zh_HK.js @@ -80,10 +80,9 @@ OC.L10N.register( "Search tag" : "搜尋標籤", "Change tag color" : "更新標籤顏色", "Create new tag" : "創建新標籤", - "Select or create tags to apply to all selected files" : "選擇或創建標籤以應用於所有已選擇的檔案。", - "Select tags to apply to all selected files" : "選取要套用到所有選取檔案的標籤", + "Choose tags for the selected files" : "為選定的檔案選擇標籤", "Cancel" : "取消", - "Apply changes" : "應用更新", + "Apply" : "使用", "Failed to load tags" : "載入標記失敗", "Failed to load selected tags" : "無法加載所選的標籤", "Failed to select tag" : "無法選擇標籤", @@ -110,6 +109,9 @@ OC.L10N.register( "Failed to load tags for file" : "無法載入檔案的標籤", "Failed to set tag for file" : "無法設定檔案的標籤", "Failed to delete tag for file" : "無法刪除檔案的標籤", - "File tags modification canceled" : "檔案標籤修改已取消" + "File tags modification canceled" : "檔案標籤修改已取消", + "Select or create tags to apply to all selected files" : "選擇或創建標籤以應用於所有已選擇的檔案。", + "Select tags to apply to all selected files" : "選取要套用到所有選取檔案的標籤", + "Apply changes" : "應用更新" }, "nplurals=1; plural=0;"); diff --git a/apps/systemtags/l10n/zh_HK.json b/apps/systemtags/l10n/zh_HK.json index fd00adc5454..73c25abb5a8 100644 --- a/apps/systemtags/l10n/zh_HK.json +++ b/apps/systemtags/l10n/zh_HK.json @@ -78,10 +78,9 @@ "Search tag" : "搜尋標籤", "Change tag color" : "更新標籤顏色", "Create new tag" : "創建新標籤", - "Select or create tags to apply to all selected files" : "選擇或創建標籤以應用於所有已選擇的檔案。", - "Select tags to apply to all selected files" : "選取要套用到所有選取檔案的標籤", + "Choose tags for the selected files" : "為選定的檔案選擇標籤", "Cancel" : "取消", - "Apply changes" : "應用更新", + "Apply" : "使用", "Failed to load tags" : "載入標記失敗", "Failed to load selected tags" : "無法加載所選的標籤", "Failed to select tag" : "無法選擇標籤", @@ -108,6 +107,9 @@ "Failed to load tags for file" : "無法載入檔案的標籤", "Failed to set tag for file" : "無法設定檔案的標籤", "Failed to delete tag for file" : "無法刪除檔案的標籤", - "File tags modification canceled" : "檔案標籤修改已取消" + "File tags modification canceled" : "檔案標籤修改已取消", + "Select or create tags to apply to all selected files" : "選擇或創建標籤以應用於所有已選擇的檔案。", + "Select tags to apply to all selected files" : "選取要套用到所有選取檔案的標籤", + "Apply changes" : "應用更新" },"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 0bfd1030d49..9755a3964bf 100644 --- a/apps/systemtags/l10n/zh_TW.js +++ b/apps/systemtags/l10n/zh_TW.js @@ -80,10 +80,9 @@ OC.L10N.register( "Search tag" : "搜尋標籤", "Change tag color" : "變更標籤顏色", "Create new tag" : "建立新標籤", - "Select or create tags to apply to all selected files" : "選取或建立標籤以套用至所有選定的檔案", - "Select tags to apply to all selected files" : "選取要套用到所有選取檔案的標籤", + "Choose tags for the selected files" : "為選定的檔案選擇標籤", "Cancel" : "取消", - "Apply changes" : "套用變更", + "Apply" : "套用", "Failed to load tags" : "標籤載入失敗", "Failed to load selected tags" : "選定的標籤載入失敗", "Failed to select tag" : "標籤選取失敗", @@ -110,6 +109,9 @@ OC.L10N.register( "Failed to load tags for file" : "檔案的標籤載入失敗", "Failed to set tag for file" : "檔案的標籤設定失敗", "Failed to delete tag for file" : "檔案的標籤刪除失敗", - "File tags modification canceled" : "已取消檔案標籤修改" + "File tags modification canceled" : "已取消檔案標籤修改", + "Select or create tags to apply to all selected files" : "選取或建立標籤以套用至所有選定的檔案", + "Select tags to apply to all selected files" : "選取要套用到所有選取檔案的標籤", + "Apply changes" : "套用變更" }, "nplurals=1; plural=0;"); diff --git a/apps/systemtags/l10n/zh_TW.json b/apps/systemtags/l10n/zh_TW.json index 4810effcad4..e7024ccc214 100644 --- a/apps/systemtags/l10n/zh_TW.json +++ b/apps/systemtags/l10n/zh_TW.json @@ -78,10 +78,9 @@ "Search tag" : "搜尋標籤", "Change tag color" : "變更標籤顏色", "Create new tag" : "建立新標籤", - "Select or create tags to apply to all selected files" : "選取或建立標籤以套用至所有選定的檔案", - "Select tags to apply to all selected files" : "選取要套用到所有選取檔案的標籤", + "Choose tags for the selected files" : "為選定的檔案選擇標籤", "Cancel" : "取消", - "Apply changes" : "套用變更", + "Apply" : "套用", "Failed to load tags" : "標籤載入失敗", "Failed to load selected tags" : "選定的標籤載入失敗", "Failed to select tag" : "標籤選取失敗", @@ -108,6 +107,9 @@ "Failed to load tags for file" : "檔案的標籤載入失敗", "Failed to set tag for file" : "檔案的標籤設定失敗", "Failed to delete tag for file" : "檔案的標籤刪除失敗", - "File tags modification canceled" : "已取消檔案標籤修改" + "File tags modification canceled" : "已取消檔案標籤修改", + "Select or create tags to apply to all selected files" : "選取或建立標籤以套用至所有選定的檔案", + "Select tags to apply to all selected files" : "選取要套用到所有選取檔案的標籤", + "Apply changes" : "套用變更" },"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 50a5f182fe7..83294701c75 100644 --- a/apps/systemtags/src/components/SystemTagPicker.vue +++ b/apps/systemtags/src/components/SystemTagPicker.vue @@ -95,7 +95,7 @@ <!-- Note --> <div class="systemtags-picker__note"> <NcNoteCard v-if="!hasChanges" type="info"> - {{ canEditOrCreateTag ? t('systemtags', 'Select or create tags to apply to all selected files'): t('systemtags', 'Select tags to apply to all selected files') }} + {{ t('systemtags', 'Choose tags for the selected files') }} </NcNoteCard> <NcNoteCard v-else type="info"> <span v-html="statusMessage" /> @@ -113,7 +113,7 @@ <NcButton :disabled="!hasChanges || status !== Status.BASE" data-cy-systemtags-picker-button-submit @click="onSubmit"> - {{ t('systemtags', 'Apply changes') }} + {{ t('systemtags', 'Apply') }} </NcButton> </template> diff --git a/apps/user_status/l10n/pl.js b/apps/user_status/l10n/pl.js index 274b49df1f9..c25c92e27e1 100644 --- a/apps/user_status/l10n/pl.js +++ b/apps/user_status/l10n/pl.js @@ -10,6 +10,7 @@ OC.L10N.register( "Out of office" : "Biuro nie funkcjonuje", "Working remotely" : "Praca zdalna", "In a call" : "Rozmawia", + "Be right back" : "Zaraz wracam", "User status" : "Status użytkownika", "Clear status after" : "Wyczyść status po", "Emoji for your status message" : "Emoji dla komunikatu o statusie", diff --git a/apps/user_status/l10n/pl.json b/apps/user_status/l10n/pl.json index 3cc7f74d85b..48079696e54 100644 --- a/apps/user_status/l10n/pl.json +++ b/apps/user_status/l10n/pl.json @@ -8,6 +8,7 @@ "Out of office" : "Biuro nie funkcjonuje", "Working remotely" : "Praca zdalna", "In a call" : "Rozmawia", + "Be right back" : "Zaraz wracam", "User status" : "Status użytkownika", "Clear status after" : "Wyczyść status po", "Emoji for your status message" : "Emoji dla komunikatu o statusie", diff --git a/apps/workflowengine/l10n/es.js b/apps/workflowengine/l10n/es.js index ffc254ad2b0..4dec679ca90 100644 --- a/apps/workflowengine/l10n/es.js +++ b/apps/workflowengine/l10n/es.js @@ -70,7 +70,7 @@ OC.L10N.register( "Select groups" : "Seleccionar grupos", "Groups" : "Grupos", "Type to search for group …" : "Teclee para buscar un grupo …", - "Select a trigger" : "Seleccione un trigger", + "Select a trigger" : "Seleccione un disparador", "At least one event must be selected" : "Has de seleccionar al menos un evento", "Add new flow" : "Añadir nuevo flujo", "The configuration is invalid" : "La configuración es incorrecta", diff --git a/apps/workflowengine/l10n/es.json b/apps/workflowengine/l10n/es.json index 2c00e75238c..f25a5a8014b 100644 --- a/apps/workflowengine/l10n/es.json +++ b/apps/workflowengine/l10n/es.json @@ -68,7 +68,7 @@ "Select groups" : "Seleccionar grupos", "Groups" : "Grupos", "Type to search for group …" : "Teclee para buscar un grupo …", - "Select a trigger" : "Seleccione un trigger", + "Select a trigger" : "Seleccione un disparador", "At least one event must be selected" : "Has de seleccionar al menos un evento", "Add new flow" : "Añadir nuevo flujo", "The configuration is invalid" : "La configuración es incorrecta", |