diff --git a/apps/admin_audit/composer/composer/autoload_classmap.php b/apps/admin_audit/composer/composer/autoload_classmap.php
index b67d90e768921..d5643b0d5432f 100644
--- a/apps/admin_audit/composer/composer/autoload_classmap.php
+++ b/apps/admin_audit/composer/composer/autoload_classmap.php
@@ -19,6 +19,7 @@
'OCA\\AdminAudit\\IAuditLogger' => $baseDir . '/../lib/IAuditLogger.php',
'OCA\\AdminAudit\\Listener\\AppManagementEventListener' => $baseDir . '/../lib/Listener/AppManagementEventListener.php',
'OCA\\AdminAudit\\Listener\\AuthEventListener' => $baseDir . '/../lib/Listener/AuthEventListener.php',
+ 'OCA\\AdminAudit\\Listener\\CacheEventListener' => $baseDir . '/../lib/Listener/CacheEventListener.php',
'OCA\\AdminAudit\\Listener\\ConsoleEventListener' => $baseDir . '/../lib/Listener/ConsoleEventListener.php',
'OCA\\AdminAudit\\Listener\\CriticalActionPerformedEventListener' => $baseDir . '/../lib/Listener/CriticalActionPerformedEventListener.php',
'OCA\\AdminAudit\\Listener\\FileEventListener' => $baseDir . '/../lib/Listener/FileEventListener.php',
diff --git a/apps/admin_audit/composer/composer/autoload_static.php b/apps/admin_audit/composer/composer/autoload_static.php
index f8fd457edd8d5..70affe657e781 100644
--- a/apps/admin_audit/composer/composer/autoload_static.php
+++ b/apps/admin_audit/composer/composer/autoload_static.php
@@ -7,14 +7,14 @@
class ComposerStaticInitAdminAudit
{
public static $prefixLengthsPsr4 = array (
- 'O' =>
+ 'O' =>
array (
'OCA\\AdminAudit\\' => 15,
),
);
public static $prefixDirsPsr4 = array (
- 'OCA\\AdminAudit\\' =>
+ 'OCA\\AdminAudit\\' =>
array (
0 => __DIR__ . '/..' . '/../lib',
),
@@ -34,6 +34,7 @@ class ComposerStaticInitAdminAudit
'OCA\\AdminAudit\\IAuditLogger' => __DIR__ . '/..' . '/../lib/IAuditLogger.php',
'OCA\\AdminAudit\\Listener\\AppManagementEventListener' => __DIR__ . '/..' . '/../lib/Listener/AppManagementEventListener.php',
'OCA\\AdminAudit\\Listener\\AuthEventListener' => __DIR__ . '/..' . '/../lib/Listener/AuthEventListener.php',
+ 'OCA\\AdminAudit\\Listener\\CacheEventListener' => __DIR__ . '/..' . '/../lib/Listener/CacheEventListener.php',
'OCA\\AdminAudit\\Listener\\ConsoleEventListener' => __DIR__ . '/..' . '/../lib/Listener/ConsoleEventListener.php',
'OCA\\AdminAudit\\Listener\\CriticalActionPerformedEventListener' => __DIR__ . '/..' . '/../lib/Listener/CriticalActionPerformedEventListener.php',
'OCA\\AdminAudit\\Listener\\FileEventListener' => __DIR__ . '/..' . '/../lib/Listener/FileEventListener.php',
diff --git a/apps/admin_audit/lib/AppInfo/Application.php b/apps/admin_audit/lib/AppInfo/Application.php
index 63a1d065bc8e1..077cc4c47adc0 100644
--- a/apps/admin_audit/lib/AppInfo/Application.php
+++ b/apps/admin_audit/lib/AppInfo/Application.php
@@ -20,6 +20,7 @@
use OCA\AdminAudit\IAuditLogger;
use OCA\AdminAudit\Listener\AppManagementEventListener;
use OCA\AdminAudit\Listener\AuthEventListener;
+use OCA\AdminAudit\Listener\CacheEventListener;
use OCA\AdminAudit\Listener\ConsoleEventListener;
use OCA\AdminAudit\Listener\CriticalActionPerformedEventListener;
use OCA\AdminAudit\Listener\FileEventListener;
@@ -40,6 +41,8 @@
use OCP\Authentication\TwoFactorAuth\TwoFactorProviderChallengePassed;
use OCP\Console\ConsoleEvent;
use OCP\EventDispatcher\IEventDispatcher;
+use OCP\Files\Cache\CacheEntryInsertedEvent;
+use OCP\Files\Cache\CacheEntryRemovedEvent;
use OCP\Files\Events\Node\BeforeNodeDeletedEvent;
use OCP\Files\Events\Node\BeforeNodeReadEvent;
use OCP\Files\Events\Node\NodeCopiedEvent;
@@ -123,6 +126,10 @@ public function register(IRegistrationContext $context): void {
// Console events
$context->registerEventListener(ConsoleEvent::class, ConsoleEventListener::class);
+
+ // Cache events
+ $context->registerEventListener(CacheEntryInsertedEvent::class, CacheEventListener::class);
+ $context->registerEventListener(CacheEntryRemovedEvent::class, CacheEventListener::class);
}
public function boot(IBootContext $context): void {
diff --git a/apps/admin_audit/lib/Listener/CacheEventListener.php b/apps/admin_audit/lib/Listener/CacheEventListener.php
new file mode 100644
index 0000000000000..63d7017b3c0d5
--- /dev/null
+++ b/apps/admin_audit/lib/Listener/CacheEventListener.php
@@ -0,0 +1,51 @@
+
+ */
+class CacheEventListener extends Action implements IEventListener {
+ public function handle(Event $event): void {
+ if ($event instanceof CacheEntryInsertedEvent) {
+ $this->entryInserted($event);
+ } elseif ($event instanceof CacheEntryRemovedEvent) {
+ $this->entryRemoved($event);
+ }
+ }
+
+ private function entryInserted(CacheEntryInsertedEvent $event): void {
+ $this->log('Cache entry inserted for fileid "%1$d", path "%2$s" on storageid "%3$d"',
+ [
+ 'fileid' => $event->getFileId(),
+ 'path' => $event->getPath(),
+ 'storageid' => $event->getStorageId(),
+ ],
+ ['fileid', 'path', 'storageid']
+ );
+ }
+
+ private function entryRemoved(CacheEntryRemovedEvent $event): void {
+ $this->log('Cache entry removed for fileid "%1$d", path "%2$s" on storageid "%3$d"',
+ [
+ 'fileid' => $event->getFileId(),
+ 'path' => $event->getPath(),
+ 'storageid' => $event->getStorageId(),
+ ],
+ ['fileid', 'path', 'storageid']
+ );
+ }
+}
diff --git a/apps/dav/appinfo/v2/publicremote.php b/apps/dav/appinfo/v2/publicremote.php
index e089fa7bb6223..8d509e636a846 100644
--- a/apps/dav/appinfo/v2/publicremote.php
+++ b/apps/dav/appinfo/v2/publicremote.php
@@ -81,7 +81,7 @@
$filesDropPlugin = new FilesDropPlugin();
/** @var string $baseuri defined in public.php */
-$server = $serverFactory->createServer(true, $baseuri, $requestUri, $authPlugin, function (\Sabre\DAV\Server $server) use ($authBackend, $linkCheckPlugin, $filesDropPlugin) {
+$server = $serverFactory->createServer(true, $baseuri, $requestUri, $authPlugin, function (\Sabre\DAV\Server $server) use ($baseuri, $requestUri, $authBackend, $linkCheckPlugin, $filesDropPlugin) {
// GET must be allowed for e.g. showing images and allowing Zip downloads
if ($server->httpRequest->getMethod() !== 'GET') {
// If this is *not* a GET request we only allow access to public DAV from AJAX or when Server2Server is allowed
@@ -103,8 +103,16 @@
$previousLog = Filesystem::logWarningWhenAddingStorageWrapper(false);
/** @psalm-suppress MissingClosureParamType */
- Filesystem::addStorageWrapper('sharePermissions', function ($mountPoint, $storage) use ($share) {
- return new PermissionsMask(['storage' => $storage, 'mask' => $share->getPermissions() | Constants::PERMISSION_SHARE]);
+ Filesystem::addStorageWrapper('sharePermissions', function ($mountPoint, $storage) use ($requestUri, $baseuri, $share) {
+ $mask = $share->getPermissions() | Constants::PERMISSION_SHARE;
+
+ // For chunked uploads it is necessary to have read and delete permission,
+ // so the temporary directory, chunks and destination file can be read and delete after the assembly.
+ if (str_starts_with(substr($requestUri, strlen($baseuri) - 1), '/uploads/')) {
+ $mask |= Constants::PERMISSION_READ | Constants::PERMISSION_DELETE;
+ }
+
+ return new PermissionsMask(['storage' => $storage, 'mask' => $mask]);
});
/** @psalm-suppress MissingClosureParamType */
diff --git a/apps/dav/lib/Capabilities.php b/apps/dav/lib/Capabilities.php
index eb777769b6153..f9bad25bf3176 100644
--- a/apps/dav/lib/Capabilities.php
+++ b/apps/dav/lib/Capabilities.php
@@ -24,7 +24,7 @@ public function getCapabilities() {
$capabilities = [
'dav' => [
'chunking' => '1.0',
- 'public_shares_chunking' => false,
+ 'public_shares_chunking' => true,
]
];
if ($this->config->getSystemValueBool('bulkupload.enabled', true)) {
diff --git a/apps/dav/lib/Connector/Sabre/QuotaPlugin.php b/apps/dav/lib/Connector/Sabre/QuotaPlugin.php
index bbb378edc9bde..1351bd7e474bb 100644
--- a/apps/dav/lib/Connector/Sabre/QuotaPlugin.php
+++ b/apps/dav/lib/Connector/Sabre/QuotaPlugin.php
@@ -9,11 +9,11 @@
namespace OCA\DAV\Connector\Sabre;
use OC\Files\View;
-use OCA\DAV\Upload\FutureFile;
use OCA\DAV\Upload\UploadFolder;
use OCP\Files\StorageNotAvailableException;
use Sabre\DAV\Exception\InsufficientStorage;
use Sabre\DAV\Exception\ServiceUnavailable;
+use Sabre\DAV\IFile;
use Sabre\DAV\INode;
use Sabre\HTTP\RequestInterface;
use Sabre\HTTP\ResponseInterface;
@@ -138,7 +138,7 @@ public function beforeWriteContent($uri, INode $node, $data, $modified) {
*/
public function beforeMove(string $sourcePath, string $destinationPath): bool {
$sourceNode = $this->server->tree->getNodeForPath($sourcePath);
- if (!$sourceNode instanceof FutureFile) {
+ if (!$sourceNode instanceof IFile) {
return true;
}
diff --git a/apps/dav/lib/Files/Sharing/FilesDropPlugin.php b/apps/dav/lib/Files/Sharing/FilesDropPlugin.php
index a3dbd32ce6b3f..606f526b18b0b 100644
--- a/apps/dav/lib/Files/Sharing/FilesDropPlugin.php
+++ b/apps/dav/lib/Files/Sharing/FilesDropPlugin.php
@@ -42,6 +42,10 @@ public function initialize(\Sabre\DAV\Server $server): void {
}
public function onMkcol(RequestInterface $request, ResponseInterface $response) {
+ if ($this->isChunkedUpload($request)) {
+ return;
+ }
+
if (!$this->enabled || $this->share === null) {
return;
}
@@ -58,7 +62,18 @@ public function onMkcol(RequestInterface $request, ResponseInterface $response)
return false;
}
+ private function isChunkedUpload(RequestInterface $request): bool {
+ return str_starts_with(substr($request->getUrl(), strlen($request->getBaseUrl()) - 1), '/uploads/');
+ }
+
public function beforeMethod(RequestInterface $request, ResponseInterface $response) {
+ $isChunkedUpload = $this->isChunkedUpload($request);
+
+ // For the PUT and MOVE requests of a chunked upload it is necessary to modify the Destination header.
+ if ($isChunkedUpload && $request->getMethod() !== 'MOVE' && $request->getMethod() !== 'PUT') {
+ return;
+ }
+
if (!$this->enabled || $this->share === null) {
return;
}
@@ -68,21 +83,25 @@ public function beforeMethod(RequestInterface $request, ResponseInterface $respo
return;
}
+ if ($request->getMethod() !== 'PUT' && $request->getMethod() !== 'MKCOL' && (!$isChunkedUpload || $request->getMethod() !== 'MOVE')) {
+ throw new MethodNotAllowed('Only PUT, MKCOL and MOVE are allowed on files drop');
+ }
+
+ // Extract the attributes for the file request
+ $isFileRequest = false;
+ $attributes = $this->share->getAttributes();
+ if ($attributes !== null) {
+ $isFileRequest = $attributes->getAttribute('fileRequest', 'enabled') === true;
+ }
+
// Retrieve the nickname from the request
$nickname = $request->hasHeader('X-NC-Nickname')
? trim(urldecode($request->getHeader('X-NC-Nickname')))
: null;
- if ($request->getMethod() !== 'PUT') {
- // If uploading subfolders we need to ensure they get created
- // within the nickname folder
- if ($request->getMethod() === 'MKCOL') {
- if (!$nickname) {
- throw new BadRequest('A nickname header is required when uploading subfolders');
- }
- } else {
- throw new MethodNotAllowed('Only PUT is allowed on files drop');
- }
+ // We need a valid nickname for file requests
+ if ($isFileRequest && !$nickname) {
+ throw new BadRequest('A nickname header is required for file requests');
}
// If this is a folder creation request
@@ -95,35 +114,22 @@ public function beforeMethod(RequestInterface $request, ResponseInterface $respo
// full path along the way. We'll only handle conflict
// resolution on file conflicts, but not on folders.
- // e.g files/dCP8yn3N86EK9sL/Folder/image.jpg
- $path = $request->getPath();
+ if ($isChunkedUpload) {
+ $destination = $request->getHeader('destination');
+ $baseUrl = $request->getBaseUrl();
+ // e.g files/dCP8yn3N86EK9sL/Folder/image.jpg
+ $path = substr($destination, strpos($destination, $baseUrl) + strlen($baseUrl));
+ } else {
+ // e.g files/dCP8yn3N86EK9sL/Folder/image.jpg
+ $path = $request->getPath();
+ }
+
$token = $this->share->getToken();
// e.g files/dCP8yn3N86EK9sL
$rootPath = substr($path, 0, strpos($path, $token) + strlen($token));
// e.g /Folder/image.jpg
$relativePath = substr($path, strlen($rootPath));
- $isRootUpload = substr_count($relativePath, '/') === 1;
-
- // Extract the attributes for the file request
- $isFileRequest = false;
- $attributes = $this->share->getAttributes();
- if ($attributes !== null) {
- $isFileRequest = $attributes->getAttribute('fileRequest', 'enabled') === true;
- }
-
- // We need a valid nickname for file requests
- if ($isFileRequest && !$nickname) {
- throw new BadRequest('A nickname header is required for file requests');
- }
-
- // We're only allowing the upload of
- // long path with subfolders if a nickname is set.
- // This prevents confusion when uploading files and help
- // classify them by uploaders.
- if (!$nickname && !$isRootUpload) {
- throw new BadRequest('A nickname header is required when uploading subfolders');
- }
if ($nickname) {
try {
@@ -187,7 +193,11 @@ public function beforeMethod(RequestInterface $request, ResponseInterface $respo
$relativePath = substr($folder->getPath(), strlen($node->getPath()));
$path = '/files/' . $token . '/' . $relativePath . '/' . $uniqueName;
$url = rtrim($request->getBaseUrl(), '/') . str_replace('//', '/', $path);
- $request->setUrl($url);
+ if ($isChunkedUpload) {
+ $request->setHeader('destination', $url);
+ } else {
+ $request->setUrl($url);
+ }
}
private function getPathSegments(string $path): array {
diff --git a/apps/dav/tests/unit/CapabilitiesTest.php b/apps/dav/tests/unit/CapabilitiesTest.php
index 873500646c282..ad70d576d48fe 100644
--- a/apps/dav/tests/unit/CapabilitiesTest.php
+++ b/apps/dav/tests/unit/CapabilitiesTest.php
@@ -30,7 +30,7 @@ public function testGetCapabilities(): void {
$expected = [
'dav' => [
'chunking' => '1.0',
- 'public_shares_chunking' => false,
+ 'public_shares_chunking' => true,
],
];
$this->assertSame($expected, $capabilities->getCapabilities());
@@ -50,7 +50,7 @@ public function testGetCapabilitiesWithBulkUpload(): void {
$expected = [
'dav' => [
'chunking' => '1.0',
- 'public_shares_chunking' => false,
+ 'public_shares_chunking' => true,
'bulkupload' => '1.0',
],
];
@@ -71,7 +71,7 @@ public function testGetCapabilitiesWithAbsence(): void {
$expected = [
'dav' => [
'chunking' => '1.0',
- 'public_shares_chunking' => false,
+ 'public_shares_chunking' => true,
'absence-supported' => true,
'absence-replacement' => true,
],
diff --git a/apps/dav/tests/unit/Files/Sharing/FilesDropPluginTest.php b/apps/dav/tests/unit/Files/Sharing/FilesDropPluginTest.php
index 1a7ab7179e164..a9c03e67a9cbd 100644
--- a/apps/dav/tests/unit/Files/Sharing/FilesDropPluginTest.php
+++ b/apps/dav/tests/unit/Files/Sharing/FilesDropPluginTest.php
@@ -24,6 +24,7 @@ class FilesDropPluginTest extends TestCase {
private FilesDropPlugin $plugin;
private Folder&MockObject $node;
+ private IAttributes&MockObject $attributes;
private IShare&MockObject $share;
private Server&MockObject $server;
private RequestInterface&MockObject $request;
@@ -46,23 +47,16 @@ protected function setUp(): void {
$this->request = $this->createMock(RequestInterface::class);
$this->response = $this->createMock(ResponseInterface::class);
- $attributes = $this->createMock(IAttributes::class);
+ $this->attributes = $this->createMock(IAttributes::class);
$this->share->expects($this->any())
->method('getAttributes')
- ->willReturn($attributes);
+ ->willReturn($this->attributes);
$this->share
->method('getToken')
->willReturn('token');
}
- public function testNotEnabled(): void {
- $this->request->expects($this->never())
- ->method($this->anything());
-
- $this->plugin->beforeMethod($this->request, $this->response);
- }
-
public function testValid(): void {
$this->plugin->enable();
$this->plugin->setShare($this->share);
@@ -112,25 +106,47 @@ public function testFileAlreadyExistsValid(): void {
$this->plugin->beforeMethod($this->request, $this->response);
}
- public function testNoMKCOLWithoutNickname(): void {
+ public function testFileDropMKCOLWithoutNickname(): void {
$this->plugin->enable();
$this->plugin->setShare($this->share);
$this->request->method('getMethod')
->willReturn('MKCOL');
+ $this->expectNotToPerformAssertions();
+
+ $this->plugin->beforeMethod($this->request, $this->response);
+ }
+
+ public function testFileRequestNoMKCOLWithoutNickname(): void {
+ $this->plugin->enable();
+ $this->plugin->setShare($this->share);
+
+ $this->request->method('getMethod')
+ ->willReturn('MKCOL');
+
+ $this->attributes
+ ->method('getAttribute')
+ ->with('fileRequest', 'enabled')
+ ->willReturn(true);
+
$this->expectException(BadRequest::class);
$this->plugin->beforeMethod($this->request, $this->response);
}
- public function testMKCOLWithNickname(): void {
+ public function testFileRequestMKCOLWithNickname(): void {
$this->plugin->enable();
$this->plugin->setShare($this->share);
$this->request->method('getMethod')
->willReturn('MKCOL');
+ $this->attributes
+ ->method('getAttribute')
+ ->with('fileRequest', 'enabled')
+ ->willReturn(true);
+
$this->request->method('hasHeader')
->with('X-NC-Nickname')
->willReturn(true);
@@ -138,8 +154,6 @@ public function testMKCOLWithNickname(): void {
->with('X-NC-Nickname')
->willReturn('nickname');
- $this->expectNotToPerformAssertions();
-
$this->plugin->beforeMethod($this->request, $this->response);
}
diff --git a/apps/files/src/components/NavigationQuota.vue b/apps/files/src/components/NavigationQuota.vue
index 46c8e5c9af477..97f12fd4be1e0 100644
--- a/apps/files/src/components/NavigationQuota.vue
+++ b/apps/files/src/components/NavigationQuota.vue
@@ -80,12 +80,6 @@ export default {
},
beforeMount() {
- /**
- * Update storage stats every minute
- * TODO: remove when all views are migrated to Vue
- */
- setInterval(this.throttleUpdateStorageStats, 60 * 1000)
-
subscribe('files:node:created', this.throttleUpdateStorageStats)
subscribe('files:node:deleted', this.throttleUpdateStorageStats)
subscribe('files:node:moved', this.throttleUpdateStorageStats)
diff --git a/apps/files_external/l10n/ar.js b/apps/files_external/l10n/ar.js
index 73c6be4f9389b..9f2594d82e7ad 100644
--- a/apps/files_external/l10n/ar.js
+++ b/apps/files_external/l10n/ar.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "المجال الافتراضي لـ\"كيربيروس\" Kerberos default realm، يتمّ تعيينه افتراضيّاً على أساس \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "تذكرة \"كيربيروس\" في حالة \"الأباتشي\" Kerberos ticket Apache mode",
"Kerberos ticket" : "تذكرة \"كيربيروس\" Kerberos ticket",
- "Amazon S3" : "أمازون S3",
"Bucket" : "الحزمة",
"Hostname" : "اسم الإستضافة",
"Port" : "المنفذ",
@@ -156,6 +155,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "مفتاح التطبيق",
"App secret" : "كلمة مرور التطبيق",
+ "Amazon S3" : "أمازون S3",
"Checking storage …" : "فحص التخزين ...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "هل أنت متأكد أنك تريد قطع الاتصال بوحدة التخزين الخارجية هذه؟ سيتسبب ذلك في جعل وحدة التخزين هذه غير مُتاحة في نكست كلاود، و سيؤدي إلى منع الوصول إلى هذه الملفات والمجلدات عن أي عميل مزامنة مُتصلٍ حاليّاً، و لكنه لن يحذف أي ملفات أو مجلدات على وحدة التخزين الخارجية نفسها.",
"Saving …" : "جاري الحفظ…"
diff --git a/apps/files_external/l10n/ar.json b/apps/files_external/l10n/ar.json
index 1bf2f924ef1f9..8b78593811f96 100644
--- a/apps/files_external/l10n/ar.json
+++ b/apps/files_external/l10n/ar.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "المجال الافتراضي لـ\"كيربيروس\" Kerberos default realm، يتمّ تعيينه افتراضيّاً على أساس \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "تذكرة \"كيربيروس\" في حالة \"الأباتشي\" Kerberos ticket Apache mode",
"Kerberos ticket" : "تذكرة \"كيربيروس\" Kerberos ticket",
- "Amazon S3" : "أمازون S3",
"Bucket" : "الحزمة",
"Hostname" : "اسم الإستضافة",
"Port" : "المنفذ",
@@ -154,6 +153,7 @@
"OAuth1" : "OAuth1",
"App key" : "مفتاح التطبيق",
"App secret" : "كلمة مرور التطبيق",
+ "Amazon S3" : "أمازون S3",
"Checking storage …" : "فحص التخزين ...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "هل أنت متأكد أنك تريد قطع الاتصال بوحدة التخزين الخارجية هذه؟ سيتسبب ذلك في جعل وحدة التخزين هذه غير مُتاحة في نكست كلاود، و سيؤدي إلى منع الوصول إلى هذه الملفات والمجلدات عن أي عميل مزامنة مُتصلٍ حاليّاً، و لكنه لن يحذف أي ملفات أو مجلدات على وحدة التخزين الخارجية نفسها.",
"Saving …" : "جاري الحفظ…"
diff --git a/apps/files_external/l10n/ast.js b/apps/files_external/l10n/ast.js
index fdcc75ad49969..954ff0c5b77ad 100644
--- a/apps/files_external/l10n/ast.js
+++ b/apps/files_external/l10n/ast.js
@@ -47,7 +47,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "L'equipu predetermináu de Kerberos, por defeutu ye «WORKGROUP»",
"Kerberos ticket Apache mode" : "Mou Apache de ticket de Kerberos",
"Kerberos ticket" : "Ticket de Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Agospiador",
"Port" : "Puertu",
@@ -143,6 +142,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Clave d'aplicación",
"App secret" : "Secretu d'aplicación",
+ "Amazon S3" : "Amazon S3",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "¿De xuru que quies desconectar esti almacenamientu esternu? Esta aición va facer que l'almacenamientu dexe de tar disponible en Nextcloud y va facer que se desanicien los ficheros y carpetes en cualesquier veceru sincronizáu que tea conectáu mas nun se va desaniciar nengún ficheru nin carpeta del almacenamientu esternu.",
"Saving …" : "Guardando…"
},
diff --git a/apps/files_external/l10n/ast.json b/apps/files_external/l10n/ast.json
index 92a8263c49fd7..68045212719b8 100644
--- a/apps/files_external/l10n/ast.json
+++ b/apps/files_external/l10n/ast.json
@@ -45,7 +45,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "L'equipu predetermináu de Kerberos, por defeutu ye «WORKGROUP»",
"Kerberos ticket Apache mode" : "Mou Apache de ticket de Kerberos",
"Kerberos ticket" : "Ticket de Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Agospiador",
"Port" : "Puertu",
@@ -141,6 +140,7 @@
"OAuth1" : "OAuth1",
"App key" : "Clave d'aplicación",
"App secret" : "Secretu d'aplicación",
+ "Amazon S3" : "Amazon S3",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "¿De xuru que quies desconectar esti almacenamientu esternu? Esta aición va facer que l'almacenamientu dexe de tar disponible en Nextcloud y va facer que se desanicien los ficheros y carpetes en cualesquier veceru sincronizáu que tea conectáu mas nun se va desaniciar nengún ficheru nin carpeta del almacenamientu esternu.",
"Saving …" : "Guardando…"
},"pluralForm" :"nplurals=2; plural=(n != 1);"
diff --git a/apps/files_external/l10n/bg.js b/apps/files_external/l10n/bg.js
index f8ebc3f97a70e..aeb9415f7af77 100644
--- a/apps/files_external/l10n/bg.js
+++ b/apps/files_external/l10n/bg.js
@@ -43,7 +43,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Областта по подразбиране на Kerberos, е стойността по подразбиране за \"РАБОТНАГРУПА\"",
"Kerberos ticket Apache mode" : "Билет Kerberos, режим Apache",
"Kerberos ticket" : "Билет за Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Хост",
"Port" : "Порт",
@@ -119,6 +118,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : " Ключ на приложение",
"App secret" : "Тайна на приложение",
+ "Amazon S3" : "Amazon S3",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Наистина ли искате да изключите това външно хранилище? Това ще направи хранилището недостъпно в Nextcloud и ще доведе до изтриване на тези файлове и папки на всеки синхронизиран клиент, който е свързан в момента, но няма да изтрие никакви файлове и папки от самото външно хранилище.",
"Saving …" : "Записване …"
},
diff --git a/apps/files_external/l10n/bg.json b/apps/files_external/l10n/bg.json
index 2870699c5c234..6e5e54379ecdf 100644
--- a/apps/files_external/l10n/bg.json
+++ b/apps/files_external/l10n/bg.json
@@ -41,7 +41,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Областта по подразбиране на Kerberos, е стойността по подразбиране за \"РАБОТНАГРУПА\"",
"Kerberos ticket Apache mode" : "Билет Kerberos, режим Apache",
"Kerberos ticket" : "Билет за Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Хост",
"Port" : "Порт",
@@ -117,6 +116,7 @@
"OAuth1" : "OAuth1",
"App key" : " Ключ на приложение",
"App secret" : "Тайна на приложение",
+ "Amazon S3" : "Amazon S3",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Наистина ли искате да изключите това външно хранилище? Това ще направи хранилището недостъпно в Nextcloud и ще доведе до изтриване на тези файлове и папки на всеки синхронизиран клиент, който е свързан в момента, но няма да изтрие никакви файлове и папки от самото външно хранилище.",
"Saving …" : "Записване …"
},"pluralForm" :"nplurals=2; plural=(n != 1);"
diff --git a/apps/files_external/l10n/ca.js b/apps/files_external/l10n/ca.js
index a500b7fa01cdc..5ec0e84aaf316 100644
--- a/apps/files_external/l10n/ca.js
+++ b/apps/files_external/l10n/ca.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Domini per defecte del Kerberos, per defecte és «WORKGROUP»",
"Kerberos ticket Apache mode" : "Mode Apache de tiquet del Kerberos",
"Kerberos ticket" : "Tiquet del Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nom del servidor",
"Port" : "Port",
@@ -156,6 +155,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Clau d'aplicació",
"App secret" : "Secret d'aplicació",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "S'està comprovant l'emmagatzematge …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Segur que voleu desconnectar aquest emmagatzematge extern? Això farà que l'emmagatzematge no estigui disponible en el Nextcloud i provocarà la supressió d'aquests fitxers i carpetes en qualsevol client que s'hi sincronitzi, però no se suprimirà cap fitxer ni carpeta en l'emmagatzematge extern en si.",
"Saving …" : "S'està desant…"
diff --git a/apps/files_external/l10n/ca.json b/apps/files_external/l10n/ca.json
index 3a25ff004c194..48c39279298f2 100644
--- a/apps/files_external/l10n/ca.json
+++ b/apps/files_external/l10n/ca.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Domini per defecte del Kerberos, per defecte és «WORKGROUP»",
"Kerberos ticket Apache mode" : "Mode Apache de tiquet del Kerberos",
"Kerberos ticket" : "Tiquet del Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nom del servidor",
"Port" : "Port",
@@ -154,6 +153,7 @@
"OAuth1" : "OAuth1",
"App key" : "Clau d'aplicació",
"App secret" : "Secret d'aplicació",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "S'està comprovant l'emmagatzematge …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Segur que voleu desconnectar aquest emmagatzematge extern? Això farà que l'emmagatzematge no estigui disponible en el Nextcloud i provocarà la supressió d'aquests fitxers i carpetes en qualsevol client que s'hi sincronitzi, però no se suprimirà cap fitxer ni carpeta en l'emmagatzematge extern en si.",
"Saving …" : "S'està desant…"
diff --git a/apps/files_external/l10n/cs.js b/apps/files_external/l10n/cs.js
index 593efcdbd4eb9..0a3d578a574a5 100644
--- a/apps/files_external/l10n/cs.js
+++ b/apps/files_external/l10n/cs.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Výchozí kerberos oblast (realm) – výchozí je „WORKGROUP“",
"Kerberos ticket Apache mode" : "Režim kerberos lístku (ticket) apache serveru",
"Kerberos ticket" : "Kerberos ticket",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Název stroje",
"Port" : "Port",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Klíč aplikace",
"App secret" : "Tajemství aplikace",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Kontrola úložiště …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Opravdu chcete toto externí úložiště odpojit? Způsobí že toto úložiště nebude k dispozici v Nextcloud a povede to ke smazání těchto souborů a složek na jakémkoli synchronizačním klientovi, který je v tuto chvíli připojen, ale nesmaže žádné soubory a složky na externím úložišti jako takovém.",
"Saving …" : "Ukládání …"
diff --git a/apps/files_external/l10n/cs.json b/apps/files_external/l10n/cs.json
index 00890020d1489..c4208b0a348ca 100644
--- a/apps/files_external/l10n/cs.json
+++ b/apps/files_external/l10n/cs.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Výchozí kerberos oblast (realm) – výchozí je „WORKGROUP“",
"Kerberos ticket Apache mode" : "Režim kerberos lístku (ticket) apache serveru",
"Kerberos ticket" : "Kerberos ticket",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Název stroje",
"Port" : "Port",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "Klíč aplikace",
"App secret" : "Tajemství aplikace",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Kontrola úložiště …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Opravdu chcete toto externí úložiště odpojit? Způsobí že toto úložiště nebude k dispozici v Nextcloud a povede to ke smazání těchto souborů a složek na jakémkoli synchronizačním klientovi, který je v tuto chvíli připojen, ale nesmaže žádné soubory a složky na externím úložišti jako takovém.",
"Saving …" : "Ukládání …"
diff --git a/apps/files_external/l10n/da.js b/apps/files_external/l10n/da.js
index bae976e91de01..6e1a89dc9cb5f 100644
--- a/apps/files_external/l10n/da.js
+++ b/apps/files_external/l10n/da.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos standard realm, er standard til \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos billet Apache-tilstand",
"Kerberos ticket" : "Kerberos billet",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Værtsnavn",
"Port" : "Port",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "App-nøgle",
"App secret" : "App-hemmelighed",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Kontrollerer lager ...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Er du sikker på, at du vil frakoble dette eksterne lager? Det vil gøre lageret utilgængeligt i Nextcloud og vil føre til en sletning af disse filer og mapper på enhver synkroniseringsklient, der i øjeblikket er tilsluttet, men vil ikke slette nogen filer og mapper på selve det eksterne lager.",
"Saving …" : "Gemmer…"
diff --git a/apps/files_external/l10n/da.json b/apps/files_external/l10n/da.json
index 7ef158988e571..d3de2d49fa2fa 100644
--- a/apps/files_external/l10n/da.json
+++ b/apps/files_external/l10n/da.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos standard realm, er standard til \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos billet Apache-tilstand",
"Kerberos ticket" : "Kerberos billet",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Værtsnavn",
"Port" : "Port",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "App-nøgle",
"App secret" : "App-hemmelighed",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Kontrollerer lager ...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Er du sikker på, at du vil frakoble dette eksterne lager? Det vil gøre lageret utilgængeligt i Nextcloud og vil føre til en sletning af disse filer og mapper på enhver synkroniseringsklient, der i øjeblikket er tilsluttet, men vil ikke slette nogen filer og mapper på selve det eksterne lager.",
"Saving …" : "Gemmer…"
diff --git a/apps/files_external/l10n/de.js b/apps/files_external/l10n/de.js
index c8d2863c107aa..30a6865c24774 100644
--- a/apps/files_external/l10n/de.js
+++ b/apps/files_external/l10n/de.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos-Standard-Realm, standardmäßig \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos-Ticket Apache-Modus",
"Kerberos ticket" : "Kerberos-Ticket",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Host-Name",
"Port" : "Port",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "App-Schlüssel",
"App secret" : "Geheime Zeichenkette der App",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Prüfe Speicher …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Möchtest du diesen externen Speicher wirklich trennen? Der Speicher ist danach in der Nextcloud nicht mehr verfügbar, was zu einer Löschung dieser Dateien und Ordner auf allen Sync-Clients, die verbunden sind, führt. Auf dem externen Speicher selbst werden keine Dateien und Ordner gelöscht.",
"Saving …" : "Speichern …"
diff --git a/apps/files_external/l10n/de.json b/apps/files_external/l10n/de.json
index 913623c0f1f33..bda27c1f91256 100644
--- a/apps/files_external/l10n/de.json
+++ b/apps/files_external/l10n/de.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos-Standard-Realm, standardmäßig \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos-Ticket Apache-Modus",
"Kerberos ticket" : "Kerberos-Ticket",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Host-Name",
"Port" : "Port",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "App-Schlüssel",
"App secret" : "Geheime Zeichenkette der App",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Prüfe Speicher …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Möchtest du diesen externen Speicher wirklich trennen? Der Speicher ist danach in der Nextcloud nicht mehr verfügbar, was zu einer Löschung dieser Dateien und Ordner auf allen Sync-Clients, die verbunden sind, führt. Auf dem externen Speicher selbst werden keine Dateien und Ordner gelöscht.",
"Saving …" : "Speichern …"
diff --git a/apps/files_external/l10n/de_DE.js b/apps/files_external/l10n/de_DE.js
index c32b95c1143e5..9aa2b87463485 100644
--- a/apps/files_external/l10n/de_DE.js
+++ b/apps/files_external/l10n/de_DE.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos-Standard-Realm, standardmäßig \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos-Ticket Apache-Modus",
"Kerberos ticket" : "Kerberos-Ticket",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Host-Name",
"Port" : "Port",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "App-Schlüssel",
"App secret" : "Geheime Zeichenkette der App",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Prüfe Speicher…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Möchten Sie diesen externen Speicher wirklich trennen? Der Speicher ist danach in der Nextcloud nicht mehr verfügbar, was zu einer Löschung dieser Dateien und Ordner auf allen Sync-Clients, die verbunden sind, führt. Auf dem externen Speicher selbst werden keine Dateien und Ordner gelöscht.",
"Saving …" : "Speichere …"
diff --git a/apps/files_external/l10n/de_DE.json b/apps/files_external/l10n/de_DE.json
index 9faeea3b09043..3576f8e39640e 100644
--- a/apps/files_external/l10n/de_DE.json
+++ b/apps/files_external/l10n/de_DE.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos-Standard-Realm, standardmäßig \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos-Ticket Apache-Modus",
"Kerberos ticket" : "Kerberos-Ticket",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Host-Name",
"Port" : "Port",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "App-Schlüssel",
"App secret" : "Geheime Zeichenkette der App",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Prüfe Speicher…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Möchten Sie diesen externen Speicher wirklich trennen? Der Speicher ist danach in der Nextcloud nicht mehr verfügbar, was zu einer Löschung dieser Dateien und Ordner auf allen Sync-Clients, die verbunden sind, führt. Auf dem externen Speicher selbst werden keine Dateien und Ordner gelöscht.",
"Saving …" : "Speichere …"
diff --git a/apps/files_external/l10n/el.js b/apps/files_external/l10n/el.js
index 209a3e1056457..3e1501c8f9676 100644
--- a/apps/files_external/l10n/el.js
+++ b/apps/files_external/l10n/el.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Προεπιλεγμένη περιοχή Kerberos, προεπιλογή: «WORKGROUP»",
"Kerberos ticket Apache mode" : "Λειτουργία Kerberos ticket για Apache",
"Kerberos ticket" : "Εισητήριο Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Κάδος",
"Hostname" : "Όνομα Υπολογιστή",
"Port" : "Θύρα",
@@ -158,6 +157,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Κλειδί εφαρμογής",
"App secret" : "Μυστικό εφαρμογής",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Έλεγχος αποθήκευσης...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Είστε σίγουροι ότι θέλετε να αποσυνδέσετε αυτήν την εξωτερική αποθήκευση; Αυτό θα καταστήσει την αποθήκευση μη διαθέσιμη στο Nextcloud και θα οδηγήσει στη διαγραφή αυτών των αρχείων και φακέλων σε οποιοδήποτε συγχρονισμένο πελάτη που είναι επί του παρόντος συνδεδεμένος, αλλά δεν θα διαγράψει κανένα αρχείο ή φάκελο στην ίδια την εξωτερική αποθήκευση.",
"Saving …" : "Γίνεται αποθήκευση …"
diff --git a/apps/files_external/l10n/el.json b/apps/files_external/l10n/el.json
index 81024ea9e2fbc..95a51d21fc446 100644
--- a/apps/files_external/l10n/el.json
+++ b/apps/files_external/l10n/el.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Προεπιλεγμένη περιοχή Kerberos, προεπιλογή: «WORKGROUP»",
"Kerberos ticket Apache mode" : "Λειτουργία Kerberos ticket για Apache",
"Kerberos ticket" : "Εισητήριο Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Κάδος",
"Hostname" : "Όνομα Υπολογιστή",
"Port" : "Θύρα",
@@ -156,6 +155,7 @@
"OAuth1" : "OAuth1",
"App key" : "Κλειδί εφαρμογής",
"App secret" : "Μυστικό εφαρμογής",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Έλεγχος αποθήκευσης...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Είστε σίγουροι ότι θέλετε να αποσυνδέσετε αυτήν την εξωτερική αποθήκευση; Αυτό θα καταστήσει την αποθήκευση μη διαθέσιμη στο Nextcloud και θα οδηγήσει στη διαγραφή αυτών των αρχείων και φακέλων σε οποιοδήποτε συγχρονισμένο πελάτη που είναι επί του παρόντος συνδεδεμένος, αλλά δεν θα διαγράψει κανένα αρχείο ή φάκελο στην ίδια την εξωτερική αποθήκευση.",
"Saving …" : "Γίνεται αποθήκευση …"
diff --git a/apps/files_external/l10n/en_GB.js b/apps/files_external/l10n/en_GB.js
index cd18cf85877bb..32b1c5baffbf7 100644
--- a/apps/files_external/l10n/en_GB.js
+++ b/apps/files_external/l10n/en_GB.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos default realm, defaults to \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos ticket Apache mode",
"Kerberos ticket" : "Kerberos ticket",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Hostname",
"Port" : "Port",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "App key",
"App secret" : "App secret",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Checking storage …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself.",
"Saving …" : "Saving …"
diff --git a/apps/files_external/l10n/en_GB.json b/apps/files_external/l10n/en_GB.json
index c697676194666..e4f11418b8bee 100644
--- a/apps/files_external/l10n/en_GB.json
+++ b/apps/files_external/l10n/en_GB.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos default realm, defaults to \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos ticket Apache mode",
"Kerberos ticket" : "Kerberos ticket",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Hostname",
"Port" : "Port",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "App key",
"App secret" : "App secret",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Checking storage …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself.",
"Saving …" : "Saving …"
diff --git a/apps/files_external/l10n/eo.js b/apps/files_external/l10n/eo.js
index f05fe05996064..58aae6aabc6e0 100644
--- a/apps/files_external/l10n/eo.js
+++ b/apps/files_external/l10n/eo.js
@@ -40,7 +40,6 @@ OC.L10N.register(
"RSA private key" : "Privata RSA-ŝlosilo",
"Private key" : "Privata ŝlosilo",
"Kerberos ticket" : "Kerberos-bileto (angle „ticket“)",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Ujo (angle „bucket“)",
"Hostname" : "Gastigonomo",
"Port" : "Pordo",
@@ -109,6 +108,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Aplikaĵa ŝlosilo",
"App secret" : "Aplikaĵosekreto",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "Konservado..."
},
"nplurals=2; plural=(n != 1);");
diff --git a/apps/files_external/l10n/eo.json b/apps/files_external/l10n/eo.json
index c8012a9979b46..f2ac69072a262 100644
--- a/apps/files_external/l10n/eo.json
+++ b/apps/files_external/l10n/eo.json
@@ -38,7 +38,6 @@
"RSA private key" : "Privata RSA-ŝlosilo",
"Private key" : "Privata ŝlosilo",
"Kerberos ticket" : "Kerberos-bileto (angle „ticket“)",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Ujo (angle „bucket“)",
"Hostname" : "Gastigonomo",
"Port" : "Pordo",
@@ -107,6 +106,7 @@
"OAuth1" : "OAuth1",
"App key" : "Aplikaĵa ŝlosilo",
"App secret" : "Aplikaĵosekreto",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "Konservado..."
},"pluralForm" :"nplurals=2; plural=(n != 1);"
}
\ No newline at end of file
diff --git a/apps/files_external/l10n/es.js b/apps/files_external/l10n/es.js
index 5b690b468a089..484d9d10dad93 100644
--- a/apps/files_external/l10n/es.js
+++ b/apps/files_external/l10n/es.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "El ámbito por defecto de Kerberos es \"WORKGROUP\".",
"Kerberos ticket Apache mode" : "Ticket Kerberos Modo Apache",
"Kerberos ticket" : "Ticket de Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Dirección del servidor",
"Port" : "Puerto",
@@ -158,6 +157,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "App principal",
"App secret" : "App secreta",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Comprobando el almacenamiento …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "¿Estás seguro de que quieres desconectar este almacenamiento externo? Esto hará que el almacenamiento no esté disponible en Nextcloud y provocará la eliminación de estos archivos y carpetas en cualquier cliente de sincronización que esté conectado en ese momento, pero no eliminará ningún archivo ni carpeta en el propio almacenamiento externo.",
"Saving …" : "Guardando…"
diff --git a/apps/files_external/l10n/es.json b/apps/files_external/l10n/es.json
index 8448c6f306e22..c1da91dce37d2 100644
--- a/apps/files_external/l10n/es.json
+++ b/apps/files_external/l10n/es.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "El ámbito por defecto de Kerberos es \"WORKGROUP\".",
"Kerberos ticket Apache mode" : "Ticket Kerberos Modo Apache",
"Kerberos ticket" : "Ticket de Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Dirección del servidor",
"Port" : "Puerto",
@@ -156,6 +155,7 @@
"OAuth1" : "OAuth1",
"App key" : "App principal",
"App secret" : "App secreta",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Comprobando el almacenamiento …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "¿Estás seguro de que quieres desconectar este almacenamiento externo? Esto hará que el almacenamiento no esté disponible en Nextcloud y provocará la eliminación de estos archivos y carpetas en cualquier cliente de sincronización que esté conectado en ese momento, pero no eliminará ningún archivo ni carpeta en el propio almacenamiento externo.",
"Saving …" : "Guardando…"
diff --git a/apps/files_external/l10n/es_419.js b/apps/files_external/l10n/es_419.js
index 7ca5616f32614..691351751a3de 100644
--- a/apps/files_external/l10n/es_419.js
+++ b/apps/files_external/l10n/es_419.js
@@ -35,7 +35,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -95,6 +94,7 @@ OC.L10N.register(
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},
"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;");
diff --git a/apps/files_external/l10n/es_419.json b/apps/files_external/l10n/es_419.json
index 53757cab488c7..8c5023ffef386 100644
--- a/apps/files_external/l10n/es_419.json
+++ b/apps/files_external/l10n/es_419.json
@@ -33,7 +33,6 @@
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -93,6 +92,7 @@
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},"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_external/l10n/es_AR.js b/apps/files_external/l10n/es_AR.js
index 485e2a8b9d6e5..da6036ede172d 100644
--- a/apps/files_external/l10n/es_AR.js
+++ b/apps/files_external/l10n/es_AR.js
@@ -35,7 +35,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -94,6 +93,7 @@ OC.L10N.register(
"Please provide a valid app key and secret." : "Favor de proporcionar una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},
"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;");
diff --git a/apps/files_external/l10n/es_AR.json b/apps/files_external/l10n/es_AR.json
index 43acdc5ce049b..c392290f99bb5 100644
--- a/apps/files_external/l10n/es_AR.json
+++ b/apps/files_external/l10n/es_AR.json
@@ -33,7 +33,6 @@
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -92,6 +91,7 @@
"Please provide a valid app key and secret." : "Favor de proporcionar una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},"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_external/l10n/es_CL.js b/apps/files_external/l10n/es_CL.js
index a862a8b043e5d..3751b785f516c 100644
--- a/apps/files_external/l10n/es_CL.js
+++ b/apps/files_external/l10n/es_CL.js
@@ -37,7 +37,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -100,6 +99,7 @@ OC.L10N.register(
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},
"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;");
diff --git a/apps/files_external/l10n/es_CL.json b/apps/files_external/l10n/es_CL.json
index d1ce689c091b2..e727f2e7ee228 100644
--- a/apps/files_external/l10n/es_CL.json
+++ b/apps/files_external/l10n/es_CL.json
@@ -35,7 +35,6 @@
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -98,6 +97,7 @@
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},"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_external/l10n/es_CO.js b/apps/files_external/l10n/es_CO.js
index a862a8b043e5d..3751b785f516c 100644
--- a/apps/files_external/l10n/es_CO.js
+++ b/apps/files_external/l10n/es_CO.js
@@ -37,7 +37,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -100,6 +99,7 @@ OC.L10N.register(
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},
"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;");
diff --git a/apps/files_external/l10n/es_CO.json b/apps/files_external/l10n/es_CO.json
index d1ce689c091b2..e727f2e7ee228 100644
--- a/apps/files_external/l10n/es_CO.json
+++ b/apps/files_external/l10n/es_CO.json
@@ -35,7 +35,6 @@
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -98,6 +97,7 @@
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},"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_external/l10n/es_CR.js b/apps/files_external/l10n/es_CR.js
index a862a8b043e5d..3751b785f516c 100644
--- a/apps/files_external/l10n/es_CR.js
+++ b/apps/files_external/l10n/es_CR.js
@@ -37,7 +37,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -100,6 +99,7 @@ OC.L10N.register(
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},
"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;");
diff --git a/apps/files_external/l10n/es_CR.json b/apps/files_external/l10n/es_CR.json
index d1ce689c091b2..e727f2e7ee228 100644
--- a/apps/files_external/l10n/es_CR.json
+++ b/apps/files_external/l10n/es_CR.json
@@ -35,7 +35,6 @@
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -98,6 +97,7 @@
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},"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_external/l10n/es_DO.js b/apps/files_external/l10n/es_DO.js
index a862a8b043e5d..3751b785f516c 100644
--- a/apps/files_external/l10n/es_DO.js
+++ b/apps/files_external/l10n/es_DO.js
@@ -37,7 +37,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -100,6 +99,7 @@ OC.L10N.register(
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},
"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;");
diff --git a/apps/files_external/l10n/es_DO.json b/apps/files_external/l10n/es_DO.json
index d1ce689c091b2..e727f2e7ee228 100644
--- a/apps/files_external/l10n/es_DO.json
+++ b/apps/files_external/l10n/es_DO.json
@@ -35,7 +35,6 @@
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -98,6 +97,7 @@
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},"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_external/l10n/es_EC.js b/apps/files_external/l10n/es_EC.js
index 9e9affe838d9e..b939ea5b1bf24 100644
--- a/apps/files_external/l10n/es_EC.js
+++ b/apps/files_external/l10n/es_EC.js
@@ -43,7 +43,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Reino predeterminado de Kerberos, por defecto \"WORKGROUP\".",
"Kerberos ticket Apache mode" : "Modo Apache para tickets de Kerberos.",
"Kerberos ticket" : "Ticket de Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -118,6 +117,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
"App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "¿Estás seguro de que quieres desconectar este almacenamiento externo? Esto hará que el almacenamiento no esté disponible en Nextcloud y se eliminarán estos archivos y carpetas en cualquier cliente de sincronización que esté conectado actualmente, pero no se eliminarán archivos y carpetas en el almacenamiento externo en sí.",
"Saving …" : "Saving …"
},
diff --git a/apps/files_external/l10n/es_EC.json b/apps/files_external/l10n/es_EC.json
index ce607df36f2de..13ebc24d6b0aa 100644
--- a/apps/files_external/l10n/es_EC.json
+++ b/apps/files_external/l10n/es_EC.json
@@ -41,7 +41,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Reino predeterminado de Kerberos, por defecto \"WORKGROUP\".",
"Kerberos ticket Apache mode" : "Modo Apache para tickets de Kerberos.",
"Kerberos ticket" : "Ticket de Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -116,6 +115,7 @@
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
"App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "¿Estás seguro de que quieres desconectar este almacenamiento externo? Esto hará que el almacenamiento no esté disponible en Nextcloud y se eliminarán estos archivos y carpetas en cualquier cliente de sincronización que esté conectado actualmente, pero no se eliminarán archivos y carpetas en el almacenamiento externo en sí.",
"Saving …" : "Saving …"
},"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"
diff --git a/apps/files_external/l10n/es_GT.js b/apps/files_external/l10n/es_GT.js
index a862a8b043e5d..3751b785f516c 100644
--- a/apps/files_external/l10n/es_GT.js
+++ b/apps/files_external/l10n/es_GT.js
@@ -37,7 +37,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -100,6 +99,7 @@ OC.L10N.register(
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},
"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;");
diff --git a/apps/files_external/l10n/es_GT.json b/apps/files_external/l10n/es_GT.json
index d1ce689c091b2..e727f2e7ee228 100644
--- a/apps/files_external/l10n/es_GT.json
+++ b/apps/files_external/l10n/es_GT.json
@@ -35,7 +35,6 @@
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -98,6 +97,7 @@
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},"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_external/l10n/es_HN.js b/apps/files_external/l10n/es_HN.js
index 72b5fa1012bf9..ccc9d9925cd26 100644
--- a/apps/files_external/l10n/es_HN.js
+++ b/apps/files_external/l10n/es_HN.js
@@ -35,7 +35,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -94,6 +93,7 @@ OC.L10N.register(
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},
"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;");
diff --git a/apps/files_external/l10n/es_HN.json b/apps/files_external/l10n/es_HN.json
index 35269693d329f..a98f1d6ed35b3 100644
--- a/apps/files_external/l10n/es_HN.json
+++ b/apps/files_external/l10n/es_HN.json
@@ -33,7 +33,6 @@
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -92,6 +91,7 @@
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},"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_external/l10n/es_MX.js b/apps/files_external/l10n/es_MX.js
index 04447e94bb77e..8e7cd9d754662 100644
--- a/apps/files_external/l10n/es_MX.js
+++ b/apps/files_external/l10n/es_MX.js
@@ -47,7 +47,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Dominio predeterminado de Kerberos, predeterminado como \"WORKGROUP\".",
"Kerberos ticket Apache mode" : "Ticket Kerberos modo Apache",
"Kerberos ticket" : "Ticket de Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -148,6 +147,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
"App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "¿Está seguro que quiere desconectar este almacenamiento externo? Esto hará que el almacenamiento no esté disponible en Nextcloud y se eliminen estos archivos y carpetas en cualquier cliente de sincronización que esté conectado actualmente, pero no se eliminarán los archivos y carpetas en el propio almacenamiento externo.",
"Saving …" : "Guardando ..."
},
diff --git a/apps/files_external/l10n/es_MX.json b/apps/files_external/l10n/es_MX.json
index e0806443eca18..e92b0ac16991c 100644
--- a/apps/files_external/l10n/es_MX.json
+++ b/apps/files_external/l10n/es_MX.json
@@ -45,7 +45,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Dominio predeterminado de Kerberos, predeterminado como \"WORKGROUP\".",
"Kerberos ticket Apache mode" : "Ticket Kerberos modo Apache",
"Kerberos ticket" : "Ticket de Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -146,6 +145,7 @@
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
"App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "¿Está seguro que quiere desconectar este almacenamiento externo? Esto hará que el almacenamiento no esté disponible en Nextcloud y se eliminen estos archivos y carpetas en cualquier cliente de sincronización que esté conectado actualmente, pero no se eliminarán los archivos y carpetas en el propio almacenamiento externo.",
"Saving …" : "Guardando ..."
},"pluralForm" :"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"
diff --git a/apps/files_external/l10n/es_NI.js b/apps/files_external/l10n/es_NI.js
index 72b5fa1012bf9..ccc9d9925cd26 100644
--- a/apps/files_external/l10n/es_NI.js
+++ b/apps/files_external/l10n/es_NI.js
@@ -35,7 +35,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -94,6 +93,7 @@ OC.L10N.register(
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},
"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;");
diff --git a/apps/files_external/l10n/es_NI.json b/apps/files_external/l10n/es_NI.json
index 35269693d329f..a98f1d6ed35b3 100644
--- a/apps/files_external/l10n/es_NI.json
+++ b/apps/files_external/l10n/es_NI.json
@@ -33,7 +33,6 @@
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -92,6 +91,7 @@
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},"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_external/l10n/es_PA.js b/apps/files_external/l10n/es_PA.js
index 72b5fa1012bf9..ccc9d9925cd26 100644
--- a/apps/files_external/l10n/es_PA.js
+++ b/apps/files_external/l10n/es_PA.js
@@ -35,7 +35,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -94,6 +93,7 @@ OC.L10N.register(
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},
"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;");
diff --git a/apps/files_external/l10n/es_PA.json b/apps/files_external/l10n/es_PA.json
index 35269693d329f..a98f1d6ed35b3 100644
--- a/apps/files_external/l10n/es_PA.json
+++ b/apps/files_external/l10n/es_PA.json
@@ -33,7 +33,6 @@
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -92,6 +91,7 @@
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},"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_external/l10n/es_PE.js b/apps/files_external/l10n/es_PE.js
index 72b5fa1012bf9..ccc9d9925cd26 100644
--- a/apps/files_external/l10n/es_PE.js
+++ b/apps/files_external/l10n/es_PE.js
@@ -35,7 +35,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -94,6 +93,7 @@ OC.L10N.register(
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},
"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;");
diff --git a/apps/files_external/l10n/es_PE.json b/apps/files_external/l10n/es_PE.json
index 35269693d329f..a98f1d6ed35b3 100644
--- a/apps/files_external/l10n/es_PE.json
+++ b/apps/files_external/l10n/es_PE.json
@@ -33,7 +33,6 @@
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -92,6 +91,7 @@
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},"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_external/l10n/es_PR.js b/apps/files_external/l10n/es_PR.js
index 72b5fa1012bf9..ccc9d9925cd26 100644
--- a/apps/files_external/l10n/es_PR.js
+++ b/apps/files_external/l10n/es_PR.js
@@ -35,7 +35,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -94,6 +93,7 @@ OC.L10N.register(
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},
"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;");
diff --git a/apps/files_external/l10n/es_PR.json b/apps/files_external/l10n/es_PR.json
index 35269693d329f..a98f1d6ed35b3 100644
--- a/apps/files_external/l10n/es_PR.json
+++ b/apps/files_external/l10n/es_PR.json
@@ -33,7 +33,6 @@
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -92,6 +91,7 @@
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},"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_external/l10n/es_PY.js b/apps/files_external/l10n/es_PY.js
index 60bd39324a8fb..19b13c91343af 100644
--- a/apps/files_external/l10n/es_PY.js
+++ b/apps/files_external/l10n/es_PY.js
@@ -35,7 +35,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -93,6 +92,7 @@ OC.L10N.register(
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},
"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;");
diff --git a/apps/files_external/l10n/es_PY.json b/apps/files_external/l10n/es_PY.json
index e10420ed371ed..bba60897d89ef 100644
--- a/apps/files_external/l10n/es_PY.json
+++ b/apps/files_external/l10n/es_PY.json
@@ -33,7 +33,6 @@
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -91,6 +90,7 @@
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},"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_external/l10n/es_SV.js b/apps/files_external/l10n/es_SV.js
index a862a8b043e5d..3751b785f516c 100644
--- a/apps/files_external/l10n/es_SV.js
+++ b/apps/files_external/l10n/es_SV.js
@@ -37,7 +37,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -100,6 +99,7 @@ OC.L10N.register(
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},
"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;");
diff --git a/apps/files_external/l10n/es_SV.json b/apps/files_external/l10n/es_SV.json
index d1ce689c091b2..e727f2e7ee228 100644
--- a/apps/files_external/l10n/es_SV.json
+++ b/apps/files_external/l10n/es_SV.json
@@ -35,7 +35,6 @@
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -98,6 +97,7 @@
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},"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_external/l10n/es_UY.js b/apps/files_external/l10n/es_UY.js
index 72b5fa1012bf9..ccc9d9925cd26 100644
--- a/apps/files_external/l10n/es_UY.js
+++ b/apps/files_external/l10n/es_UY.js
@@ -35,7 +35,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -94,6 +93,7 @@ OC.L10N.register(
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},
"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;");
diff --git a/apps/files_external/l10n/es_UY.json b/apps/files_external/l10n/es_UY.json
index 35269693d329f..a98f1d6ed35b3 100644
--- a/apps/files_external/l10n/es_UY.json
+++ b/apps/files_external/l10n/es_UY.json
@@ -33,7 +33,6 @@
"Log-in credentials, save in session" : "Credenciales de inicio de sesión, guardar en la sesión",
"RSA public key" : "Llave pública RSA",
"Public key" : "Llave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nombre del servidor",
"Port" : "Puerto",
@@ -92,6 +91,7 @@
"Please provide a valid app key and secret." : "Por favor proporciona una llave de aplicación y secreto válidos.",
"OAuth1" : "OAuth1",
"App key" : "Llave de la aplicación",
- "App secret" : "Secreto de la aplicación"
+ "App secret" : "Secreto de la aplicación",
+ "Amazon S3" : "Amazon S3"
},"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_external/l10n/et_EE.js b/apps/files_external/l10n/et_EE.js
index cc6f26f315b4f..ed25fcfb361ad 100644
--- a/apps/files_external/l10n/et_EE.js
+++ b/apps/files_external/l10n/et_EE.js
@@ -47,7 +47,6 @@ OC.L10N.register(
"RSA private key" : "RSA privaatvõti",
"Private key" : "Privaatvõti",
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberose nimi (realm), vaikimisi „WORKGROUP“",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Korv",
"Hostname" : "Hostinimi",
"Port" : "Port",
@@ -155,6 +154,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Rakenduse võti",
"App secret" : "Rakenduse salasõna",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Kontrollin andmeruumi…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Kas oled kindel, et soovid selle välise andmeruumi lahti ühendada? Sellega muutub see andmeruum Nextcloudis kättesaadamatuks ning kustuvad kõikide hetkel ühendatud sünkroonimisklientide juurest vastavad kaustad ja failid. Aga sellega ei kustu need kaustad ja failid antud välisest andmeruumist endast.",
"Saving …" : "Salvestan…"
diff --git a/apps/files_external/l10n/et_EE.json b/apps/files_external/l10n/et_EE.json
index 994304a9bb60f..17ada39f03459 100644
--- a/apps/files_external/l10n/et_EE.json
+++ b/apps/files_external/l10n/et_EE.json
@@ -45,7 +45,6 @@
"RSA private key" : "RSA privaatvõti",
"Private key" : "Privaatvõti",
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberose nimi (realm), vaikimisi „WORKGROUP“",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Korv",
"Hostname" : "Hostinimi",
"Port" : "Port",
@@ -153,6 +152,7 @@
"OAuth1" : "OAuth1",
"App key" : "Rakenduse võti",
"App secret" : "Rakenduse salasõna",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Kontrollin andmeruumi…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Kas oled kindel, et soovid selle välise andmeruumi lahti ühendada? Sellega muutub see andmeruum Nextcloudis kättesaadamatuks ning kustuvad kõikide hetkel ühendatud sünkroonimisklientide juurest vastavad kaustad ja failid. Aga sellega ei kustu need kaustad ja failid antud välisest andmeruumist endast.",
"Saving …" : "Salvestan…"
diff --git a/apps/files_external/l10n/eu.js b/apps/files_external/l10n/eu.js
index 0bdb49e0e5d22..68c2afc9163ef 100644
--- a/apps/files_external/l10n/eu.js
+++ b/apps/files_external/l10n/eu.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos domeinu lehenetsia, balio lehenetsia \"WORKGROUP\" da",
"Kerberos ticket Apache mode" : "Kerberos txartela Apache modua",
"Kerberos ticket" : "Kerberos tiketa",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Ontzia",
"Hostname" : "Ostalari-izena",
"Port" : "Ataka",
@@ -158,6 +157,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Aplikazio-gakoa",
"App secret" : "Aplikazio-sekretua",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Biltegiratzea egiaztatzen...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Ziur kanpoko biltegiratze hau deskonektatu nahi duzula? Biltegiratzea ez da erabilgarri egongo Nextclouden eta fitxategi eta karpeta hauek ezabatuko ditu une honetan konektatuta dagoen edozein sinkronizazio-bezerotan, baina ez du fitxategi edo karpetarik ezabatuko kanpoko biltegian.",
"Saving …" : "Gordetzen …"
diff --git a/apps/files_external/l10n/eu.json b/apps/files_external/l10n/eu.json
index 2df12c16cfd0e..91ad4e384e83e 100644
--- a/apps/files_external/l10n/eu.json
+++ b/apps/files_external/l10n/eu.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos domeinu lehenetsia, balio lehenetsia \"WORKGROUP\" da",
"Kerberos ticket Apache mode" : "Kerberos txartela Apache modua",
"Kerberos ticket" : "Kerberos tiketa",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Ontzia",
"Hostname" : "Ostalari-izena",
"Port" : "Ataka",
@@ -156,6 +155,7 @@
"OAuth1" : "OAuth1",
"App key" : "Aplikazio-gakoa",
"App secret" : "Aplikazio-sekretua",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Biltegiratzea egiaztatzen...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Ziur kanpoko biltegiratze hau deskonektatu nahi duzula? Biltegiratzea ez da erabilgarri egongo Nextclouden eta fitxategi eta karpeta hauek ezabatuko ditu une honetan konektatuta dagoen edozein sinkronizazio-bezerotan, baina ez du fitxategi edo karpetarik ezabatuko kanpoko biltegian.",
"Saving …" : "Gordetzen …"
diff --git a/apps/files_external/l10n/fa.js b/apps/files_external/l10n/fa.js
index 5192c0cd234d9..61c73638f77cf 100644
--- a/apps/files_external/l10n/fa.js
+++ b/apps/files_external/l10n/fa.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos default realm, defaults to \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos ticket Apache mode",
"Kerberos ticket" : "تیکت کربروس",
- "Amazon S3" : "Amazon S3",
"Bucket" : "باکت",
"Hostname" : "نام میزبان",
"Port" : "درگاه",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "کلید برنامه",
"App secret" : "کد برنامه",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "بررسی فضای ذخیرهسازی…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself.",
"Saving …" : "ذخیره کردن …"
diff --git a/apps/files_external/l10n/fa.json b/apps/files_external/l10n/fa.json
index 9ac90656e97d4..b1ab2938eafc7 100644
--- a/apps/files_external/l10n/fa.json
+++ b/apps/files_external/l10n/fa.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos default realm, defaults to \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos ticket Apache mode",
"Kerberos ticket" : "تیکت کربروس",
- "Amazon S3" : "Amazon S3",
"Bucket" : "باکت",
"Hostname" : "نام میزبان",
"Port" : "درگاه",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "کلید برنامه",
"App secret" : "کد برنامه",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "بررسی فضای ذخیرهسازی…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself.",
"Saving …" : "ذخیره کردن …"
diff --git a/apps/files_external/l10n/fi.js b/apps/files_external/l10n/fi.js
index fa169465bc7a5..305786550cefd 100644
--- a/apps/files_external/l10n/fi.js
+++ b/apps/files_external/l10n/fi.js
@@ -43,7 +43,6 @@ OC.L10N.register(
"RSA private key" : "Yksityinen RSA-avain",
"Private key" : "Yksityinen avain",
"Kerberos ticket" : "Kerberos-tiketti",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Isäntänimi",
"Port" : "Portti",
@@ -118,6 +117,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Sovellusavain",
"App secret" : "Sovellussalaisuus",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "Tallennetaan…"
},
"nplurals=2; plural=(n != 1);");
diff --git a/apps/files_external/l10n/fi.json b/apps/files_external/l10n/fi.json
index 17aa81763a9ea..0e93c921ed24d 100644
--- a/apps/files_external/l10n/fi.json
+++ b/apps/files_external/l10n/fi.json
@@ -41,7 +41,6 @@
"RSA private key" : "Yksityinen RSA-avain",
"Private key" : "Yksityinen avain",
"Kerberos ticket" : "Kerberos-tiketti",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Isäntänimi",
"Port" : "Portti",
@@ -116,6 +115,7 @@
"OAuth1" : "OAuth1",
"App key" : "Sovellusavain",
"App secret" : "Sovellussalaisuus",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "Tallennetaan…"
},"pluralForm" :"nplurals=2; plural=(n != 1);"
}
\ No newline at end of file
diff --git a/apps/files_external/l10n/fr.js b/apps/files_external/l10n/fr.js
index 86bf74f5c98d1..1fbbf76062080 100644
--- a/apps/files_external/l10n/fr.js
+++ b/apps/files_external/l10n/fr.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Domaine Kerberos par défault, valeur par défaut \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Ticket Kerberos, mode Apache",
"Kerberos ticket" : "Ticket Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nom de l’hôte",
"Port" : "Port",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Clé d'application",
"App secret" : "Secret de l'application",
+ "Amazon S3" : "Stockage S3",
"Checking storage …" : "Vérification du stockage...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Êtes-vous certain de vouloir déconnecter ce stockage externe ? Cela rendra ce stockage indisponible dans Nextcloud et entraînera la suppression de ces fichiers et dossiers sur tous les clients actuellement connectés, mais ne supprimera aucun fichier ni dossier du stockage externe lui-même.",
"Saving …" : "Enregistrement ..."
diff --git a/apps/files_external/l10n/fr.json b/apps/files_external/l10n/fr.json
index 618f2bc17e1f0..52d142b3c5565 100644
--- a/apps/files_external/l10n/fr.json
+++ b/apps/files_external/l10n/fr.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Domaine Kerberos par défault, valeur par défaut \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Ticket Kerberos, mode Apache",
"Kerberos ticket" : "Ticket Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nom de l’hôte",
"Port" : "Port",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "Clé d'application",
"App secret" : "Secret de l'application",
+ "Amazon S3" : "Stockage S3",
"Checking storage …" : "Vérification du stockage...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Êtes-vous certain de vouloir déconnecter ce stockage externe ? Cela rendra ce stockage indisponible dans Nextcloud et entraînera la suppression de ces fichiers et dossiers sur tous les clients actuellement connectés, mais ne supprimera aucun fichier ni dossier du stockage externe lui-même.",
"Saving …" : "Enregistrement ..."
diff --git a/apps/files_external/l10n/ga.js b/apps/files_external/l10n/ga.js
index cf258d0c537c7..c23d2acaaa7c0 100644
--- a/apps/files_external/l10n/ga.js
+++ b/apps/files_external/l10n/ga.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Réimse réamhshocraithe Kerberos, mainneachtainí chuig \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Mód Apache ticéad Kerberos",
"Kerberos ticket" : "ticéad Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Buicéad",
"Hostname" : "Óstainm",
"Port" : "Port",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Eochair aip",
"App secret" : "Rúnda aip",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Stóras á sheiceáil…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "An bhfuil tú cinnte gur mhaith leat an stóras seachtrach seo a dhínascadh? Fágfaidh sé nach mbeidh an stóráil ar fáil in Nextcloud agus scriosfar na comhaid agus na fillteáin seo ar aon chliant sioncronaithe atá ceangailte faoi láthair ach ní scriosfaidh sé aon chomhaid agus fillteáin ar an stóráil sheachtrach féin.",
"Saving …" : "Shábháil …"
diff --git a/apps/files_external/l10n/ga.json b/apps/files_external/l10n/ga.json
index eff2354a3438c..13d0943b121e8 100644
--- a/apps/files_external/l10n/ga.json
+++ b/apps/files_external/l10n/ga.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Réimse réamhshocraithe Kerberos, mainneachtainí chuig \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Mód Apache ticéad Kerberos",
"Kerberos ticket" : "ticéad Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Buicéad",
"Hostname" : "Óstainm",
"Port" : "Port",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "Eochair aip",
"App secret" : "Rúnda aip",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Stóras á sheiceáil…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "An bhfuil tú cinnte gur mhaith leat an stóras seachtrach seo a dhínascadh? Fágfaidh sé nach mbeidh an stóráil ar fáil in Nextcloud agus scriosfar na comhaid agus na fillteáin seo ar aon chliant sioncronaithe atá ceangailte faoi láthair ach ní scriosfaidh sé aon chomhaid agus fillteáin ar an stóráil sheachtrach féin.",
"Saving …" : "Shábháil …"
diff --git a/apps/files_external/l10n/gl.js b/apps/files_external/l10n/gl.js
index 448c0524f7003..83a0089a63c0f 100644
--- a/apps/files_external/l10n/gl.js
+++ b/apps/files_external/l10n/gl.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Dominio predeterminado de Kerberos, o valor predeterminado é «WORKGROUP»",
"Kerberos ticket Apache mode" : "Billete Kerberos modo Apache",
"Kerberos ticket" : "Billete Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nome de máquina",
"Port" : "Porto",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Chave da aplicación",
"App secret" : "Segredo da aplicación",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Comprobando o almacenamento…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Confirma que quere desconectar este almacenamento externo? Isto fará que o almacenamento non estea dispoñíbel en Nextcloud e provocará a eliminación destes ficheiros e cartafoles en calquera cliente de sincronización que estea conectado agora, mais non eliminará ningún ficheiro e cartafol do propio almacenamento externo.",
"Saving …" : "Gardando…"
diff --git a/apps/files_external/l10n/gl.json b/apps/files_external/l10n/gl.json
index 2cce7d5bafddd..899868c3b96c1 100644
--- a/apps/files_external/l10n/gl.json
+++ b/apps/files_external/l10n/gl.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Dominio predeterminado de Kerberos, o valor predeterminado é «WORKGROUP»",
"Kerberos ticket Apache mode" : "Billete Kerberos modo Apache",
"Kerberos ticket" : "Billete Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nome de máquina",
"Port" : "Porto",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "Chave da aplicación",
"App secret" : "Segredo da aplicación",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Comprobando o almacenamento…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Confirma que quere desconectar este almacenamento externo? Isto fará que o almacenamento non estea dispoñíbel en Nextcloud e provocará a eliminación destes ficheiros e cartafoles en calquera cliente de sincronización que estea conectado agora, mais non eliminará ningún ficheiro e cartafol do propio almacenamento externo.",
"Saving …" : "Gardando…"
diff --git a/apps/files_external/l10n/he.js b/apps/files_external/l10n/he.js
index 0af56457ffebf..78473244b9507 100644
--- a/apps/files_external/l10n/he.js
+++ b/apps/files_external/l10n/he.js
@@ -40,7 +40,6 @@ OC.L10N.register(
"RSA private key" : "מפתח RSA פרט",
"Private key" : "מפתח פרט",
"Kerberos ticket" : "כרטיס Kerberos",
- "Amazon S3" : "אמזון S3",
"Bucket" : "סל",
"Hostname" : "שם מארח",
"Port" : "שער",
@@ -111,6 +110,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "מפתח יישום",
"App secret" : "סוד יישום",
+ "Amazon S3" : "אמזון S3",
"Saving …" : "מתבצעת שמירה…"
},
"nplurals=3; plural=(n == 1 && n % 1 == 0) ? 0 : (n == 2 && n % 1 == 0) ? 1: 2;");
diff --git a/apps/files_external/l10n/he.json b/apps/files_external/l10n/he.json
index 449fb394b3f13..6df39f339a7fa 100644
--- a/apps/files_external/l10n/he.json
+++ b/apps/files_external/l10n/he.json
@@ -38,7 +38,6 @@
"RSA private key" : "מפתח RSA פרט",
"Private key" : "מפתח פרט",
"Kerberos ticket" : "כרטיס Kerberos",
- "Amazon S3" : "אמזון S3",
"Bucket" : "סל",
"Hostname" : "שם מארח",
"Port" : "שער",
@@ -109,6 +108,7 @@
"OAuth1" : "OAuth1",
"App key" : "מפתח יישום",
"App secret" : "סוד יישום",
+ "Amazon S3" : "אמזון S3",
"Saving …" : "מתבצעת שמירה…"
},"pluralForm" :"nplurals=3; plural=(n == 1 && n % 1 == 0) ? 0 : (n == 2 && n % 1 == 0) ? 1: 2;"
}
\ No newline at end of file
diff --git a/apps/files_external/l10n/hr.js b/apps/files_external/l10n/hr.js
index c67b7bd0b0974..810f54b589350 100644
--- a/apps/files_external/l10n/hr.js
+++ b/apps/files_external/l10n/hr.js
@@ -40,7 +40,6 @@ OC.L10N.register(
"RSA private key" : "Privatni ključ RSA",
"Private key" : "Privatni ključ",
"Kerberos ticket" : "Kerberos ticket",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Naziv poslužitelja",
"Port" : "Port",
@@ -113,6 +112,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Ključ aplikacije",
"App secret" : "Tajna aplikacije",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "Spremanje..."
},
"nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;");
diff --git a/apps/files_external/l10n/hr.json b/apps/files_external/l10n/hr.json
index fa9558b883ad8..acd1ddfead215 100644
--- a/apps/files_external/l10n/hr.json
+++ b/apps/files_external/l10n/hr.json
@@ -38,7 +38,6 @@
"RSA private key" : "Privatni ključ RSA",
"Private key" : "Privatni ključ",
"Kerberos ticket" : "Kerberos ticket",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Naziv poslužitelja",
"Port" : "Port",
@@ -111,6 +110,7 @@
"OAuth1" : "OAuth1",
"App key" : "Ključ aplikacije",
"App secret" : "Tajna aplikacije",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "Spremanje..."
},"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_external/l10n/hu.js b/apps/files_external/l10n/hu.js
index 169d2efb706c6..46724aacc3f1f 100644
--- a/apps/files_external/l10n/hu.js
+++ b/apps/files_external/l10n/hu.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Az alapértelmezett Kerberos tartomány, alapértelmezetten „WORKGROUP”",
"Kerberos ticket Apache mode" : "Kerberos jegy Apache módja",
"Kerberos ticket" : "Kerberos jegy",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Gépnév",
"Port" : "Port",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Alkalmazáskulcs",
"App secret" : "Alkalmazás titka",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Tároló ellenőrzése…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Biztos, hogy bontja a kapcsolatot ezzel a külső tárolóval? A tároló nem lesz elérhető a Nextcloudban, és a szinkronizálási kliensek is törölni fogják azokat a fájlokat, amelyek jelenleg kapcsolatban vannak, viszont magáról a külső tárolóról nem fogja törölni a fájlokat és mappákat.",
"Saving …" : "Mentés…"
diff --git a/apps/files_external/l10n/hu.json b/apps/files_external/l10n/hu.json
index 1f50267a6ac80..93da13dbd43e0 100644
--- a/apps/files_external/l10n/hu.json
+++ b/apps/files_external/l10n/hu.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Az alapértelmezett Kerberos tartomány, alapértelmezetten „WORKGROUP”",
"Kerberos ticket Apache mode" : "Kerberos jegy Apache módja",
"Kerberos ticket" : "Kerberos jegy",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Gépnév",
"Port" : "Port",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "Alkalmazáskulcs",
"App secret" : "Alkalmazás titka",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Tároló ellenőrzése…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Biztos, hogy bontja a kapcsolatot ezzel a külső tárolóval? A tároló nem lesz elérhető a Nextcloudban, és a szinkronizálási kliensek is törölni fogják azokat a fájlokat, amelyek jelenleg kapcsolatban vannak, viszont magáról a külső tárolóról nem fogja törölni a fájlokat és mappákat.",
"Saving …" : "Mentés…"
diff --git a/apps/files_external/l10n/id.js b/apps/files_external/l10n/id.js
index cc4a9c90790d9..916798dce02d7 100644
--- a/apps/files_external/l10n/id.js
+++ b/apps/files_external/l10n/id.js
@@ -34,7 +34,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "Kredensial masuk, simpan dalam sesi",
"RSA public key" : "Kunci publik RSA",
"Public key" : "Kunci Public",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Keranjang",
"Hostname" : "Nama Host",
"Port" : "Port",
@@ -94,6 +93,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Kunci Apl",
"App secret" : "Rahasia Apl",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "Menyimpan ..."
},
"nplurals=1; plural=0;");
diff --git a/apps/files_external/l10n/id.json b/apps/files_external/l10n/id.json
index c62015357d084..bbf248d486c36 100644
--- a/apps/files_external/l10n/id.json
+++ b/apps/files_external/l10n/id.json
@@ -32,7 +32,6 @@
"Log-in credentials, save in session" : "Kredensial masuk, simpan dalam sesi",
"RSA public key" : "Kunci publik RSA",
"Public key" : "Kunci Public",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Keranjang",
"Hostname" : "Nama Host",
"Port" : "Port",
@@ -92,6 +91,7 @@
"OAuth1" : "OAuth1",
"App key" : "Kunci Apl",
"App secret" : "Rahasia Apl",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "Menyimpan ..."
},"pluralForm" :"nplurals=1; plural=0;"
}
\ No newline at end of file
diff --git a/apps/files_external/l10n/is.js b/apps/files_external/l10n/is.js
index 521585fb734f7..7ce09f711e296 100644
--- a/apps/files_external/l10n/is.js
+++ b/apps/files_external/l10n/is.js
@@ -46,7 +46,6 @@ OC.L10N.register(
"Private key" : "Einkalykill",
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Sjálfgefið Kerberos svæði, er sjálfgefið \"WORKGROUP\"",
"Kerberos ticket" : "Kerberos aðgöngumerki",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Vélarheiti",
"Port" : "Gátt",
@@ -140,6 +139,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Lykill forrits",
"App secret" : "Leynilykill forrits",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "Vista …"
},
"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);");
diff --git a/apps/files_external/l10n/is.json b/apps/files_external/l10n/is.json
index 15296c0c48542..b6ad23e451584 100644
--- a/apps/files_external/l10n/is.json
+++ b/apps/files_external/l10n/is.json
@@ -44,7 +44,6 @@
"Private key" : "Einkalykill",
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Sjálfgefið Kerberos svæði, er sjálfgefið \"WORKGROUP\"",
"Kerberos ticket" : "Kerberos aðgöngumerki",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Vélarheiti",
"Port" : "Gátt",
@@ -138,6 +137,7 @@
"OAuth1" : "OAuth1",
"App key" : "Lykill forrits",
"App secret" : "Leynilykill forrits",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "Vista …"
},"pluralForm" :"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"
}
\ No newline at end of file
diff --git a/apps/files_external/l10n/it.js b/apps/files_external/l10n/it.js
index f3951b896065c..2d35f9fd76609 100644
--- a/apps/files_external/l10n/it.js
+++ b/apps/files_external/l10n/it.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Regno predefinito di Kerberos, predefinito su \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Modalità Apache ticket Kerberos",
"Kerberos ticket" : "Ticket Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nome host",
"Port" : "Porta",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Chiave applicazione",
"App secret" : "Segreto applicazione",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Controllo spazio di archiviazione…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Sei sicuro di voler disconnettere questo spazio di archiviazione esterno? Ciò renderà lo spazio di archiviazione non disponibile in Nextcloud e comporterà l'eliminazione di questi file e cartelle su qualsiasi client di sincronizzazione attualmente connesso, ma non eliminerà alcun file e cartella sullo spazio di archiviazione esterno stesso.",
"Saving …" : "Salvataggio…"
diff --git a/apps/files_external/l10n/it.json b/apps/files_external/l10n/it.json
index 3d4995b731b89..ac449d2b1e558 100644
--- a/apps/files_external/l10n/it.json
+++ b/apps/files_external/l10n/it.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Regno predefinito di Kerberos, predefinito su \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Modalità Apache ticket Kerberos",
"Kerberos ticket" : "Ticket Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nome host",
"Port" : "Porta",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "Chiave applicazione",
"App secret" : "Segreto applicazione",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Controllo spazio di archiviazione…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Sei sicuro di voler disconnettere questo spazio di archiviazione esterno? Ciò renderà lo spazio di archiviazione non disponibile in Nextcloud e comporterà l'eliminazione di questi file e cartelle su qualsiasi client di sincronizzazione attualmente connesso, ma non eliminerà alcun file e cartella sullo spazio di archiviazione esterno stesso.",
"Saving …" : "Salvataggio…"
diff --git a/apps/files_external/l10n/ja.js b/apps/files_external/l10n/ja.js
index 69acf61a5f24a..26cd472b23531 100644
--- a/apps/files_external/l10n/ja.js
+++ b/apps/files_external/l10n/ja.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberosのデフォルトのレルム、デフォルトは「WORKGROUP」です",
"Kerberos ticket Apache mode" : "Kerberosチケット Apache モード",
"Kerberos ticket" : "ケルベロスチケット",
- "Amazon S3" : "Amazon S3",
"Bucket" : "バケット名",
"Hostname" : "ホスト名",
"Port" : "ポート",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "アプリキー",
"App secret" : "アプリシークレット",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "ストレージのチェック...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "本当にこの外部ストレージを切断しますか?これにより、Nextcloudでストレージが使用できなくなり、現在接続されている同期クライアント上のこれらのファイルとフォルダーが削除されますが、外部ストレージ自体のファイルとフォルダーは削除されません。",
"Saving …" : "保存中..."
diff --git a/apps/files_external/l10n/ja.json b/apps/files_external/l10n/ja.json
index 827725252f7bd..b055bc97e9b5c 100644
--- a/apps/files_external/l10n/ja.json
+++ b/apps/files_external/l10n/ja.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberosのデフォルトのレルム、デフォルトは「WORKGROUP」です",
"Kerberos ticket Apache mode" : "Kerberosチケット Apache モード",
"Kerberos ticket" : "ケルベロスチケット",
- "Amazon S3" : "Amazon S3",
"Bucket" : "バケット名",
"Hostname" : "ホスト名",
"Port" : "ポート",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "アプリキー",
"App secret" : "アプリシークレット",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "ストレージのチェック...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "本当にこの外部ストレージを切断しますか?これにより、Nextcloudでストレージが使用できなくなり、現在接続されている同期クライアント上のこれらのファイルとフォルダーが削除されますが、外部ストレージ自体のファイルとフォルダーは削除されません。",
"Saving …" : "保存中..."
diff --git a/apps/files_external/l10n/ka.js b/apps/files_external/l10n/ka.js
index df106e9a0c5cf..8bd5670fa27f7 100644
--- a/apps/files_external/l10n/ka.js
+++ b/apps/files_external/l10n/ka.js
@@ -43,7 +43,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos default realm, defaults to \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos ticket Apache mode",
"Kerberos ticket" : "Kerberos ticket",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Hostname",
"Port" : "Port",
@@ -132,6 +131,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "App key",
"App secret" : "App secret",
+ "Amazon S3" : "Amazon S3",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself.",
"Saving …" : "Saving …"
},
diff --git a/apps/files_external/l10n/ka.json b/apps/files_external/l10n/ka.json
index 689f10de73aef..57790ff90eeb3 100644
--- a/apps/files_external/l10n/ka.json
+++ b/apps/files_external/l10n/ka.json
@@ -41,7 +41,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos default realm, defaults to \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos ticket Apache mode",
"Kerberos ticket" : "Kerberos ticket",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Hostname",
"Port" : "Port",
@@ -130,6 +129,7 @@
"OAuth1" : "OAuth1",
"App key" : "App key",
"App secret" : "App secret",
+ "Amazon S3" : "Amazon S3",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself.",
"Saving …" : "Saving …"
},"pluralForm" :"nplurals=2; plural=(n!=1);"
diff --git a/apps/files_external/l10n/ka_GE.js b/apps/files_external/l10n/ka_GE.js
index d6371711106d2..ffeff2c0faf76 100644
--- a/apps/files_external/l10n/ka_GE.js
+++ b/apps/files_external/l10n/ka_GE.js
@@ -37,7 +37,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "ლოგინის მონაცემები, შენახვა სესიაში",
"RSA public key" : "RSA ღია გასაღები",
"Public key" : "ღია გასაღები",
- "Amazon S3" : "Amazon S3-ი",
"Bucket" : "ხაპია",
"Hostname" : "ჰოსტი",
"Port" : "პორტი",
@@ -101,6 +100,7 @@ OC.L10N.register(
"Please provide a valid app key and secret." : "გთხოვთ უზრუნველყოთ სწორი აპლიკაციის გასაღები და საიდუმლო.",
"OAuth1" : "OAuth1",
"App key" : "აპლიკაციის გასაღები",
- "App secret" : "აპლიკაციის საიდუმლო"
+ "App secret" : "აპლიკაციის საიდუმლო",
+ "Amazon S3" : "Amazon S3-ი"
},
"nplurals=2; plural=(n!=1);");
diff --git a/apps/files_external/l10n/ka_GE.json b/apps/files_external/l10n/ka_GE.json
index 32740ba5e282a..f17ead7d8b2e5 100644
--- a/apps/files_external/l10n/ka_GE.json
+++ b/apps/files_external/l10n/ka_GE.json
@@ -35,7 +35,6 @@
"Log-in credentials, save in session" : "ლოგინის მონაცემები, შენახვა სესიაში",
"RSA public key" : "RSA ღია გასაღები",
"Public key" : "ღია გასაღები",
- "Amazon S3" : "Amazon S3-ი",
"Bucket" : "ხაპია",
"Hostname" : "ჰოსტი",
"Port" : "პორტი",
@@ -99,6 +98,7 @@
"Please provide a valid app key and secret." : "გთხოვთ უზრუნველყოთ სწორი აპლიკაციის გასაღები და საიდუმლო.",
"OAuth1" : "OAuth1",
"App key" : "აპლიკაციის გასაღები",
- "App secret" : "აპლიკაციის საიდუმლო"
+ "App secret" : "აპლიკაციის საიდუმლო",
+ "Amazon S3" : "Amazon S3-ი"
},"pluralForm" :"nplurals=2; plural=(n!=1);"
}
\ No newline at end of file
diff --git a/apps/files_external/l10n/ko.js b/apps/files_external/l10n/ko.js
index a25e7d4860698..0f970c5312ccc 100644
--- a/apps/files_external/l10n/ko.js
+++ b/apps/files_external/l10n/ko.js
@@ -47,7 +47,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos 기본 영역, 기본값은 \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos 티켓 Apache 모드",
"Kerberos ticket" : "Kerberos 티켓",
- "Amazon S3" : "Amazon S3",
"Bucket" : "버킷",
"Hostname" : "호스트 이름",
"Port" : "포트",
@@ -149,6 +148,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "앱 키",
"App secret" : "앱 비밀 값",
+ "Amazon S3" : "Amazon S3",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "이 외부 저장소를 해제하겠습니까? Nextcloud에서 이 저장소에 더 이상 접근할 수 없게 되며, 연결된 모든 동기화 클라이언트에서 이 저장소의 파일이 사라질 것입니다. 단, 저장소에 있는 파일 자체는 삭제되지 않습니다.",
"Saving …" : "저장 중 …"
},
diff --git a/apps/files_external/l10n/ko.json b/apps/files_external/l10n/ko.json
index 65a6d0ab3e14c..78c476099f4b3 100644
--- a/apps/files_external/l10n/ko.json
+++ b/apps/files_external/l10n/ko.json
@@ -45,7 +45,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos 기본 영역, 기본값은 \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos 티켓 Apache 모드",
"Kerberos ticket" : "Kerberos 티켓",
- "Amazon S3" : "Amazon S3",
"Bucket" : "버킷",
"Hostname" : "호스트 이름",
"Port" : "포트",
@@ -147,6 +146,7 @@
"OAuth1" : "OAuth1",
"App key" : "앱 키",
"App secret" : "앱 비밀 값",
+ "Amazon S3" : "Amazon S3",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "이 외부 저장소를 해제하겠습니까? Nextcloud에서 이 저장소에 더 이상 접근할 수 없게 되며, 연결된 모든 동기화 클라이언트에서 이 저장소의 파일이 사라질 것입니다. 단, 저장소에 있는 파일 자체는 삭제되지 않습니다.",
"Saving …" : "저장 중 …"
},"pluralForm" :"nplurals=1; plural=0;"
diff --git a/apps/files_external/l10n/lo.js b/apps/files_external/l10n/lo.js
index 948f83ff6be43..712d39b141c2a 100644
--- a/apps/files_external/l10n/lo.js
+++ b/apps/files_external/l10n/lo.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos default realm, defaults to \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos ticket Apache mode",
"Kerberos ticket" : "Kerberos ticket",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Hostname",
"Port" : "Port",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "App key",
"App secret" : "App secret",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Checking storage …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself.",
"Saving …" : "ກຳລັງບັນທຶກ"
diff --git a/apps/files_external/l10n/lo.json b/apps/files_external/l10n/lo.json
index 7e566f9377dd7..8f7eadc89e834 100644
--- a/apps/files_external/l10n/lo.json
+++ b/apps/files_external/l10n/lo.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos default realm, defaults to \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos ticket Apache mode",
"Kerberos ticket" : "Kerberos ticket",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Hostname",
"Port" : "Port",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "App key",
"App secret" : "App secret",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Checking storage …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself.",
"Saving …" : "ກຳລັງບັນທຶກ"
diff --git a/apps/files_external/l10n/lt_LT.js b/apps/files_external/l10n/lt_LT.js
index 0fdfd28ab0ba1..01ebe7b61a5e0 100644
--- a/apps/files_external/l10n/lt_LT.js
+++ b/apps/files_external/l10n/lt_LT.js
@@ -38,7 +38,6 @@ OC.L10N.register(
"Public key" : "Viešasis raktas",
"RSA private key" : "RSA privatusis raktas",
"Private key" : "Privatusis raktas",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Amazon S3 saugykla",
"Hostname" : "Domeno vardas",
"Port" : "Prievadas",
@@ -107,6 +106,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Trečiųjų šalių programinės įrangos identifikacijos raktas",
"App secret" : "Trečiųjų šalių programinės įrangos slaptažodis",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "Įrašoma …"
},
"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_external/l10n/lt_LT.json b/apps/files_external/l10n/lt_LT.json
index 50d2a7e006abe..852f33af9c73b 100644
--- a/apps/files_external/l10n/lt_LT.json
+++ b/apps/files_external/l10n/lt_LT.json
@@ -36,7 +36,6 @@
"Public key" : "Viešasis raktas",
"RSA private key" : "RSA privatusis raktas",
"Private key" : "Privatusis raktas",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Amazon S3 saugykla",
"Hostname" : "Domeno vardas",
"Port" : "Prievadas",
@@ -105,6 +104,7 @@
"OAuth1" : "OAuth1",
"App key" : "Trečiųjų šalių programinės įrangos identifikacijos raktas",
"App secret" : "Trečiųjų šalių programinės įrangos slaptažodis",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "Įrašoma …"
},"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_external/l10n/mk.js b/apps/files_external/l10n/mk.js
index 269aee57069d9..dbefbe9d796f9 100644
--- a/apps/files_external/l10n/mk.js
+++ b/apps/files_external/l10n/mk.js
@@ -29,7 +29,6 @@ OC.L10N.register(
"Public key" : "Јавен клуч",
"RSA private key" : "RSA приватен клуч",
"Private key" : "Приватен клуч",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Кофа",
"Hostname" : "Име на серверот",
"Port" : "Порта",
@@ -100,6 +99,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Клуч на апликацијата",
"App secret" : "Тајна на апликацијата",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "Зачувува ..."
},
"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;");
diff --git a/apps/files_external/l10n/mk.json b/apps/files_external/l10n/mk.json
index 58240f2104c80..34eb4cbeddad4 100644
--- a/apps/files_external/l10n/mk.json
+++ b/apps/files_external/l10n/mk.json
@@ -27,7 +27,6 @@
"Public key" : "Јавен клуч",
"RSA private key" : "RSA приватен клуч",
"Private key" : "Приватен клуч",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Кофа",
"Hostname" : "Име на серверот",
"Port" : "Порта",
@@ -98,6 +97,7 @@
"OAuth1" : "OAuth1",
"App key" : "Клуч на апликацијата",
"App secret" : "Тајна на апликацијата",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "Зачувува ..."
},"pluralForm" :"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;"
}
\ No newline at end of file
diff --git a/apps/files_external/l10n/nb.js b/apps/files_external/l10n/nb.js
index 66604c2424043..e6950611770a3 100644
--- a/apps/files_external/l10n/nb.js
+++ b/apps/files_external/l10n/nb.js
@@ -47,7 +47,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "\"Kerberos default realm\", forvalgt til \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos-billett Apache-modus",
"Kerberos ticket" : "Kerberos-billett",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bøtte",
"Hostname" : "Servernavn",
"Port" : "Port",
@@ -144,6 +143,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "App-nøkkel",
"App secret" : "App-hemmelighet",
+ "Amazon S3" : "Amazon S3",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Er du sikker på at du vil koble fra denne eksterne lagringen? Det vil gjøre lagringen utilgjengelig i Nextcloud og vil føre til sletting av disse filene og mappene på enhver synkroniseringsklient som for øyeblikket er tilkoblet, men vil ikke slette noen filer og mapper på selve den eksterne lagringen.",
"Saving …" : "Lagrer..."
},
diff --git a/apps/files_external/l10n/nb.json b/apps/files_external/l10n/nb.json
index eafd53effb725..a4503a89b9659 100644
--- a/apps/files_external/l10n/nb.json
+++ b/apps/files_external/l10n/nb.json
@@ -45,7 +45,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "\"Kerberos default realm\", forvalgt til \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos-billett Apache-modus",
"Kerberos ticket" : "Kerberos-billett",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bøtte",
"Hostname" : "Servernavn",
"Port" : "Port",
@@ -142,6 +141,7 @@
"OAuth1" : "OAuth1",
"App key" : "App-nøkkel",
"App secret" : "App-hemmelighet",
+ "Amazon S3" : "Amazon S3",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Er du sikker på at du vil koble fra denne eksterne lagringen? Det vil gjøre lagringen utilgjengelig i Nextcloud og vil føre til sletting av disse filene og mappene på enhver synkroniseringsklient som for øyeblikket er tilkoblet, men vil ikke slette noen filer og mapper på selve den eksterne lagringen.",
"Saving …" : "Lagrer..."
},"pluralForm" :"nplurals=2; plural=(n != 1);"
diff --git a/apps/files_external/l10n/nl.js b/apps/files_external/l10n/nl.js
index 8a51f705a184d..433227829e489 100644
--- a/apps/files_external/l10n/nl.js
+++ b/apps/files_external/l10n/nl.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos standaardomgeving, standaard ingesteld op \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos ticket Apache modus",
"Kerberos ticket" : "Kerberos ticket",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Hostnaam",
"Port" : "Poort",
@@ -156,6 +155,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "App key",
"App secret" : "App secret",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Controle van opslag …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Weet je zeker dat je deze externe opslag wilt loskoppelen? Het maakt de opslag niet langer beschikbaar in Nextcloud en leidt tot het verwijderen van de bestanden en mappen op elke synchronisatieclient die momenteel is verbonden. Het verwijdert geen bestanden en mappen op de externe opslag zelf.",
"Saving …" : "Opslaan …"
diff --git a/apps/files_external/l10n/nl.json b/apps/files_external/l10n/nl.json
index 3a863b44fcf8b..1d272318b2f75 100644
--- a/apps/files_external/l10n/nl.json
+++ b/apps/files_external/l10n/nl.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos standaardomgeving, standaard ingesteld op \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos ticket Apache modus",
"Kerberos ticket" : "Kerberos ticket",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Hostnaam",
"Port" : "Poort",
@@ -154,6 +153,7 @@
"OAuth1" : "OAuth1",
"App key" : "App key",
"App secret" : "App secret",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Controle van opslag …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Weet je zeker dat je deze externe opslag wilt loskoppelen? Het maakt de opslag niet langer beschikbaar in Nextcloud en leidt tot het verwijderen van de bestanden en mappen op elke synchronisatieclient die momenteel is verbonden. Het verwijdert geen bestanden en mappen op de externe opslag zelf.",
"Saving …" : "Opslaan …"
diff --git a/apps/files_external/l10n/pl.js b/apps/files_external/l10n/pl.js
index 71c62731ea047..8a1ce15a51b84 100644
--- a/apps/files_external/l10n/pl.js
+++ b/apps/files_external/l10n/pl.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Domyślna dziedzina Kerberos, domyślnie \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Metoda Apache zgłoszenia Kerberos",
"Kerberos ticket" : "Poświadczenia kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Kosz",
"Hostname" : "Nazwa serwera",
"Port" : "Port",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Klucz aplikacji",
"App secret" : "Tajny klucz aplikacji",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Sprawdzanie pamięci masowej…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Czy na pewno chcesz odłączyć tę pamięć zewnętrzną? Spowoduje to, że pamięć będzie niedostępna w Nextcloud i doprowadzi do usunięcia tych plików i katalogów na dowolnym kliencie synchronizacji, który jest aktualnie podłączony, ale nie usunie żadnych plików i katalogów z samej pamięci zewnętrznej.",
"Saving …" : "Zapisywanie…"
diff --git a/apps/files_external/l10n/pl.json b/apps/files_external/l10n/pl.json
index bf42e1f4e7193..20a4aefd78dc9 100644
--- a/apps/files_external/l10n/pl.json
+++ b/apps/files_external/l10n/pl.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Domyślna dziedzina Kerberos, domyślnie \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Metoda Apache zgłoszenia Kerberos",
"Kerberos ticket" : "Poświadczenia kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Kosz",
"Hostname" : "Nazwa serwera",
"Port" : "Port",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "Klucz aplikacji",
"App secret" : "Tajny klucz aplikacji",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Sprawdzanie pamięci masowej…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Czy na pewno chcesz odłączyć tę pamięć zewnętrzną? Spowoduje to, że pamięć będzie niedostępna w Nextcloud i doprowadzi do usunięcia tych plików i katalogów na dowolnym kliencie synchronizacji, który jest aktualnie podłączony, ale nie usunie żadnych plików i katalogów z samej pamięci zewnętrznej.",
"Saving …" : "Zapisywanie…"
diff --git a/apps/files_external/l10n/pt_BR.js b/apps/files_external/l10n/pt_BR.js
index 907053973b61c..6b906687a383f 100644
--- a/apps/files_external/l10n/pt_BR.js
+++ b/apps/files_external/l10n/pt_BR.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Reino padrão do Kerberos, o padrão é \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Modo Apache de ticket Kerberos",
"Kerberos ticket" : "Ticket Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Cesta",
"Hostname" : "Nome do Host",
"Port" : "Porta",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Chave do aplicativo",
"App secret" : "Segredo do aplicativo",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Verificação do armazenamento …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Tem certeza de que deseja desconectar este armazenamento externo? Isso tornará o armazenamento indisponível no Nextcloud e levará à exclusão destes arquivos e pastas em qualquer cliente de sincronização que esteja conectado no momento, mas não excluirá nenhum arquivo e pasta do armazenamento externo em si.",
"Saving …" : "Salvando..."
diff --git a/apps/files_external/l10n/pt_BR.json b/apps/files_external/l10n/pt_BR.json
index 086c6aa7a7b57..ac6a7d6ba34f9 100644
--- a/apps/files_external/l10n/pt_BR.json
+++ b/apps/files_external/l10n/pt_BR.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Reino padrão do Kerberos, o padrão é \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Modo Apache de ticket Kerberos",
"Kerberos ticket" : "Ticket Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Cesta",
"Hostname" : "Nome do Host",
"Port" : "Porta",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "Chave do aplicativo",
"App secret" : "Segredo do aplicativo",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Verificação do armazenamento …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Tem certeza de que deseja desconectar este armazenamento externo? Isso tornará o armazenamento indisponível no Nextcloud e levará à exclusão destes arquivos e pastas em qualquer cliente de sincronização que esteja conectado no momento, mas não excluirá nenhum arquivo e pasta do armazenamento externo em si.",
"Saving …" : "Salvando..."
diff --git a/apps/files_external/l10n/pt_PT.js b/apps/files_external/l10n/pt_PT.js
index d5734273339af..b3d7c8e9408ea 100644
--- a/apps/files_external/l10n/pt_PT.js
+++ b/apps/files_external/l10n/pt_PT.js
@@ -35,7 +35,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "Credenciais de início de sessão, guardar na sessão",
"RSA public key" : "Chave pública RSA",
"Public key" : "Chave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nome do Anfitrião",
"Port" : "Porta",
@@ -99,6 +98,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Chave da App",
"App secret" : "Segredo da app",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "A guardar..."
},
"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;");
diff --git a/apps/files_external/l10n/pt_PT.json b/apps/files_external/l10n/pt_PT.json
index 693a0f1f745b3..bce4b72b79974 100644
--- a/apps/files_external/l10n/pt_PT.json
+++ b/apps/files_external/l10n/pt_PT.json
@@ -33,7 +33,6 @@
"Log-in credentials, save in session" : "Credenciais de início de sessão, guardar na sessão",
"RSA public key" : "Chave pública RSA",
"Public key" : "Chave pública",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nome do Anfitrião",
"Port" : "Porta",
@@ -97,6 +96,7 @@
"OAuth1" : "OAuth1",
"App key" : "Chave da App",
"App secret" : "Segredo da app",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "A guardar..."
},"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_external/l10n/ru.js b/apps/files_external/l10n/ru.js
index 097acb6c0f411..3f2a699abff03 100644
--- a/apps/files_external/l10n/ru.js
+++ b/apps/files_external/l10n/ru.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Используемая по умолчанию область Kerberos (если не задано, будет использоваться область «WORKGROUP»)",
"Kerberos ticket Apache mode" : "Режим Kerberos с авторизацией через Apache",
"Kerberos ticket" : "Kerberos тикет",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Корзина",
"Hostname" : "Имя хоста",
"Port" : "Порт",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Ключ приложения",
"App secret" : "Секретный ключ ",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Проверка хранилища …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Вы уверены, что хотите отключить это внешнее хранилище? Это сделает хранилище недоступным в Nextcloud и приведёт к удалению этих файлов и папок на любом клиенте синхронизации, который в данный момент подключён, но не удалит файлы и папки на самом внешнем хранилище.",
"Saving …" : "Сохранение ..."
diff --git a/apps/files_external/l10n/ru.json b/apps/files_external/l10n/ru.json
index e34626f6abfa2..6216e0dca5b94 100644
--- a/apps/files_external/l10n/ru.json
+++ b/apps/files_external/l10n/ru.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Используемая по умолчанию область Kerberos (если не задано, будет использоваться область «WORKGROUP»)",
"Kerberos ticket Apache mode" : "Режим Kerberos с авторизацией через Apache",
"Kerberos ticket" : "Kerberos тикет",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Корзина",
"Hostname" : "Имя хоста",
"Port" : "Порт",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "Ключ приложения",
"App secret" : "Секретный ключ ",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Проверка хранилища …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Вы уверены, что хотите отключить это внешнее хранилище? Это сделает хранилище недоступным в Nextcloud и приведёт к удалению этих файлов и папок на любом клиенте синхронизации, который в данный момент подключён, но не удалит файлы и папки на самом внешнем хранилище.",
"Saving …" : "Сохранение ..."
diff --git a/apps/files_external/l10n/sc.js b/apps/files_external/l10n/sc.js
index f2e28b062911f..e4ece41f6bcb3 100644
--- a/apps/files_external/l10n/sc.js
+++ b/apps/files_external/l10n/sc.js
@@ -40,7 +40,6 @@ OC.L10N.register(
"RSA private key" : "Crae privada RSA",
"Private key" : "Crae privada",
"Kerberos ticket" : "Billete de Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nùmene retzidore",
"Port" : "Porta",
@@ -114,6 +113,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Crae de s'aplicatzione",
"App secret" : "Segretu de s'aplicatzione",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "Sarvende ..."
},
"nplurals=2; plural=(n != 1);");
diff --git a/apps/files_external/l10n/sc.json b/apps/files_external/l10n/sc.json
index d16babc3c5a45..2fa69cef50fc0 100644
--- a/apps/files_external/l10n/sc.json
+++ b/apps/files_external/l10n/sc.json
@@ -38,7 +38,6 @@
"RSA private key" : "Crae privada RSA",
"Private key" : "Crae privada",
"Kerberos ticket" : "Billete de Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Nùmene retzidore",
"Port" : "Porta",
@@ -112,6 +111,7 @@
"OAuth1" : "OAuth1",
"App key" : "Crae de s'aplicatzione",
"App secret" : "Segretu de s'aplicatzione",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "Sarvende ..."
},"pluralForm" :"nplurals=2; plural=(n != 1);"
}
\ No newline at end of file
diff --git a/apps/files_external/l10n/sk.js b/apps/files_external/l10n/sk.js
index be25906434326..e1d32f63ce10e 100644
--- a/apps/files_external/l10n/sk.js
+++ b/apps/files_external/l10n/sk.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Predvolená oblasť Kerberos, ak nie je nastavené použije sa \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos ticket v režime Apache",
"Kerberos ticket" : "Kerberos tiket",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Sektor",
"Hostname" : "Hostname",
"Port" : "Port",
@@ -156,6 +155,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Kľúč aplikácie",
"App secret" : "Heslo aplikácie",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Kontrolujem úložisko ...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Naozaj chcete odpojiť toto externé úložisko? Úložisko bude nedostupné v Nextcloud a povedie k vymazaniu súborov a priečinkov na akomkoľvek synchronizovanom klientovi, ktorý je aktuálne pripojený, ale neodstráni žiadne súbory a priečinky na samotnom externom úložisku.",
"Saving …" : "Ukladá sa..."
diff --git a/apps/files_external/l10n/sk.json b/apps/files_external/l10n/sk.json
index 5ed934a0c521c..e0088de8aeadb 100644
--- a/apps/files_external/l10n/sk.json
+++ b/apps/files_external/l10n/sk.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Predvolená oblasť Kerberos, ak nie je nastavené použije sa \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos ticket v režime Apache",
"Kerberos ticket" : "Kerberos tiket",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Sektor",
"Hostname" : "Hostname",
"Port" : "Port",
@@ -154,6 +153,7 @@
"OAuth1" : "OAuth1",
"App key" : "Kľúč aplikácie",
"App secret" : "Heslo aplikácie",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Kontrolujem úložisko ...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Naozaj chcete odpojiť toto externé úložisko? Úložisko bude nedostupné v Nextcloud a povedie k vymazaniu súborov a priečinkov na akomkoľvek synchronizovanom klientovi, ktorý je aktuálne pripojený, ale neodstráni žiadne súbory a priečinky na samotnom externom úložisku.",
"Saving …" : "Ukladá sa..."
diff --git a/apps/files_external/l10n/sl.js b/apps/files_external/l10n/sl.js
index 94d31e97fe1ad..9c8f76ece01f0 100644
--- a/apps/files_external/l10n/sl.js
+++ b/apps/files_external/l10n/sl.js
@@ -43,7 +43,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Privzeto območje Kerberos je »WORKGROUP«",
"Kerberos ticket Apache mode" : "Način Apache kartice Kerberos",
"Kerberos ticket" : "Kartica Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Amazon Bucket",
"Hostname" : "Ime gostitelja",
"Port" : "Vrata",
@@ -122,6 +121,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Programski ključ",
"App secret" : "Skrivni programski ključ",
+ "Amazon S3" : "Amazon S3",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Ali ste prepričani, da želite odklopiti to mesto zunanje shrambe? Odklopljena shramba ni na voljo v oblaku Nextcloud, mape in datoteke pa ne bodo dostopne in ne usklajevanje. Datoteke zunanje shrambe ostanejo nedotaknjene.",
"Saving …" : "Poteka shranjevanje ..."
},
diff --git a/apps/files_external/l10n/sl.json b/apps/files_external/l10n/sl.json
index 2b77dc0be43ba..558318e9475ab 100644
--- a/apps/files_external/l10n/sl.json
+++ b/apps/files_external/l10n/sl.json
@@ -41,7 +41,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Privzeto območje Kerberos je »WORKGROUP«",
"Kerberos ticket Apache mode" : "Način Apache kartice Kerberos",
"Kerberos ticket" : "Kartica Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Amazon Bucket",
"Hostname" : "Ime gostitelja",
"Port" : "Vrata",
@@ -120,6 +119,7 @@
"OAuth1" : "OAuth1",
"App key" : "Programski ključ",
"App secret" : "Skrivni programski ključ",
+ "Amazon S3" : "Amazon S3",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Ali ste prepričani, da želite odklopiti to mesto zunanje shrambe? Odklopljena shramba ni na voljo v oblaku Nextcloud, mape in datoteke pa ne bodo dostopne in ne usklajevanje. Datoteke zunanje shrambe ostanejo nedotaknjene.",
"Saving …" : "Poteka shranjevanje ..."
},"pluralForm" :"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"
diff --git a/apps/files_external/l10n/sq.js b/apps/files_external/l10n/sq.js
index 95e0d6c619636..bcd9c14c6d4d4 100644
--- a/apps/files_external/l10n/sq.js
+++ b/apps/files_external/l10n/sq.js
@@ -35,7 +35,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "Kredenciale hyrjesh, ruaji për sesion",
"RSA public key" : "Kyç publik RSA ",
"Public key" : "Kyç publik",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Strehëemër",
"Port" : "Portë",
@@ -94,6 +93,7 @@ OC.L10N.register(
"Please provide a valid app key and secret." : "Ju lutemi jepni një kyç dhe një të fshehtë aplikacioni të vlefshme.",
"OAuth1" : "OAuth1",
"App key" : "Kyç aplikacioni",
- "App secret" : "E fshehtë aplikacioni"
+ "App secret" : "E fshehtë aplikacioni",
+ "Amazon S3" : "Amazon S3"
},
"nplurals=2; plural=(n != 1);");
diff --git a/apps/files_external/l10n/sq.json b/apps/files_external/l10n/sq.json
index c8479c2525173..8b1944b8748da 100644
--- a/apps/files_external/l10n/sq.json
+++ b/apps/files_external/l10n/sq.json
@@ -33,7 +33,6 @@
"Log-in credentials, save in session" : "Kredenciale hyrjesh, ruaji për sesion",
"RSA public key" : "Kyç publik RSA ",
"Public key" : "Kyç publik",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Strehëemër",
"Port" : "Portë",
@@ -92,6 +91,7 @@
"Please provide a valid app key and secret." : "Ju lutemi jepni një kyç dhe një të fshehtë aplikacioni të vlefshme.",
"OAuth1" : "OAuth1",
"App key" : "Kyç aplikacioni",
- "App secret" : "E fshehtë aplikacioni"
+ "App secret" : "E fshehtë aplikacioni",
+ "Amazon S3" : "Amazon S3"
},"pluralForm" :"nplurals=2; plural=(n != 1);"
}
\ No newline at end of file
diff --git a/apps/files_external/l10n/sr.js b/apps/files_external/l10n/sr.js
index 42af5a0f33bb0..ebb47e836e52d 100644
--- a/apps/files_external/l10n/sr.js
+++ b/apps/files_external/l10n/sr.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Подразумеванo Kerberos подручје, „WORKGROUP”",
"Kerberos ticket Apache mode" : "Kerberos тикет Apache режим",
"Kerberos ticket" : "Керберос карта",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Канта",
"Hostname" : "Име домаћина",
"Port" : "Порт",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Кључ апликације",
"App secret" : "Тајна апликације",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Проверава се складиште …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Да ли сте сигурни да желите да искључите ово спољно складиште? Nextcloud неће моћи више да га користи, па ће се ови фајлови и фолдери обрисати на било ком синхронизационом клијенту који је тренутно повезан, мада се неће обрисати ниједан фајл или фолдер на самом спољном складишту.",
"Saving …" : "Чувам…"
diff --git a/apps/files_external/l10n/sr.json b/apps/files_external/l10n/sr.json
index 016b7f05a093c..579ea82406270 100644
--- a/apps/files_external/l10n/sr.json
+++ b/apps/files_external/l10n/sr.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Подразумеванo Kerberos подручје, „WORKGROUP”",
"Kerberos ticket Apache mode" : "Kerberos тикет Apache режим",
"Kerberos ticket" : "Керберос карта",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Канта",
"Hostname" : "Име домаћина",
"Port" : "Порт",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "Кључ апликације",
"App secret" : "Тајна апликације",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Проверава се складиште …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Да ли сте сигурни да желите да искључите ово спољно складиште? Nextcloud неће моћи више да га користи, па ће се ови фајлови и фолдери обрисати на било ком синхронизационом клијенту који је тренутно повезан, мада се неће обрисати ниједан фајл или фолдер на самом спољном складишту.",
"Saving …" : "Чувам…"
diff --git a/apps/files_external/l10n/sv.js b/apps/files_external/l10n/sv.js
index 79187d9c20dbd..1e312c2744b9f 100644
--- a/apps/files_external/l10n/sv.js
+++ b/apps/files_external/l10n/sv.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos standardområde sätts som standard till \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos-biljett Apache-läge",
"Kerberos ticket" : "Kerberos-biljett",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Värdnamn",
"Port" : "Port",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Appnyckel",
"App secret" : "Apphemlighet",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Kontrollerar lagring …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Är du säker på att du vill koppla bort den här externa lagringen? Det kommer att göra lagringen otillgänglig i Nextcloud och kommer att leda till en radering av dessa filer och mappar på alla synkroniseringsklienter som för närvarande är anslutna men kommer inte att radera några filer och mappar på den externa lagringen i sig.",
"Saving …" : "Sparar ..."
diff --git a/apps/files_external/l10n/sv.json b/apps/files_external/l10n/sv.json
index 1d4bdfe4f58fe..aad5b72027d85 100644
--- a/apps/files_external/l10n/sv.json
+++ b/apps/files_external/l10n/sv.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos standardområde sätts som standard till \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos-biljett Apache-läge",
"Kerberos ticket" : "Kerberos-biljett",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "Värdnamn",
"Port" : "Port",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "Appnyckel",
"App secret" : "Apphemlighet",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Kontrollerar lagring …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Är du säker på att du vill koppla bort den här externa lagringen? Det kommer att göra lagringen otillgänglig i Nextcloud och kommer att leda till en radering av dessa filer och mappar på alla synkroniseringsklienter som för närvarande är anslutna men kommer inte att radera några filer och mappar på den externa lagringen i sig.",
"Saving …" : "Sparar ..."
diff --git a/apps/files_external/l10n/sw.js b/apps/files_external/l10n/sw.js
index c63ab1e058db8..2ddc892db96ba 100644
--- a/apps/files_external/l10n/sw.js
+++ b/apps/files_external/l10n/sw.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Ufalme chaguo-msingi wa Kerberos, chaguomsingi kuwa \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Njia ya Apache ya tikiti ya Kerberos",
"Kerberos ticket" : "Tikiti za Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : " Ndoo",
"Hostname" : "Jina la mwenyeji",
"Port" : "Port",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Kitufe cha programu",
"App secret" : "Siri ya programu",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Inakagua hifadhi...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Je, una uhakika unataka kukata hifadhi hii ya nje? Itafanya hifadhi isipatikane katika Nextcloud na itasababisha kufutwa kwa faili na folda hizi kwenye kiteja chochote cha kusawazisha ambacho kimeunganishwa kwa sasa lakini hakitafuta faili na folda zozote kwenye hifadhi ya nje yenyewe.",
"Saving …" : "Inahifadhi..."
diff --git a/apps/files_external/l10n/sw.json b/apps/files_external/l10n/sw.json
index 2504a13113658..b466dd5f10ebd 100644
--- a/apps/files_external/l10n/sw.json
+++ b/apps/files_external/l10n/sw.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Ufalme chaguo-msingi wa Kerberos, chaguomsingi kuwa \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Njia ya Apache ya tikiti ya Kerberos",
"Kerberos ticket" : "Tikiti za Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : " Ndoo",
"Hostname" : "Jina la mwenyeji",
"Port" : "Port",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "Kitufe cha programu",
"App secret" : "Siri ya programu",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Inakagua hifadhi...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Je, una uhakika unataka kukata hifadhi hii ya nje? Itafanya hifadhi isipatikane katika Nextcloud na itasababisha kufutwa kwa faili na folda hizi kwenye kiteja chochote cha kusawazisha ambacho kimeunganishwa kwa sasa lakini hakitafuta faili na folda zozote kwenye hifadhi ya nje yenyewe.",
"Saving …" : "Inahifadhi..."
diff --git a/apps/files_external/l10n/th.js b/apps/files_external/l10n/th.js
index 2b897fec15254..3449eb32ce934 100644
--- a/apps/files_external/l10n/th.js
+++ b/apps/files_external/l10n/th.js
@@ -33,7 +33,6 @@ OC.L10N.register(
"Log-in credentials, save in session" : "ข้อมูลประจำตัวสำหรับเข้าสู่ระบบ, บันทึกในเซสชัน",
"RSA public key" : "คีย์สาธารณะ RSA",
"Public key" : "คีย์สาธารณะ",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "ชื่อโฮสต์",
"Port" : "พอร์ต",
@@ -86,6 +85,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "คีย์แอป",
"App secret" : "ข้อมูลลับแอป",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "กำลังบันทึก …"
},
"nplurals=1; plural=0;");
diff --git a/apps/files_external/l10n/th.json b/apps/files_external/l10n/th.json
index 93f5fa6d4779d..27854c80f9371 100644
--- a/apps/files_external/l10n/th.json
+++ b/apps/files_external/l10n/th.json
@@ -31,7 +31,6 @@
"Log-in credentials, save in session" : "ข้อมูลประจำตัวสำหรับเข้าสู่ระบบ, บันทึกในเซสชัน",
"RSA public key" : "คีย์สาธารณะ RSA",
"Public key" : "คีย์สาธารณะ",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "ชื่อโฮสต์",
"Port" : "พอร์ต",
@@ -84,6 +83,7 @@
"OAuth1" : "OAuth1",
"App key" : "คีย์แอป",
"App secret" : "ข้อมูลลับแอป",
+ "Amazon S3" : "Amazon S3",
"Saving …" : "กำลังบันทึก …"
},"pluralForm" :"nplurals=1; plural=0;"
}
\ No newline at end of file
diff --git a/apps/files_external/l10n/tr.js b/apps/files_external/l10n/tr.js
index 5aef2f174d1e1..817dc75e84f16 100644
--- a/apps/files_external/l10n/tr.js
+++ b/apps/files_external/l10n/tr.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Varsayılan Kerberos alanı, varsayılan olarak \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos kaydı Apache kipi",
"Kerberos ticket" : "Kerberos kaydı",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Buket",
"Hostname" : "Sunucu adı",
"Port" : "Bağlantı noktası",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Uygulama anahtarı",
"App secret" : "Uygulama parolası",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Depolama alanı denetleniyor…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Bu dış depolama biriminin bağlantısını kesmek istediğinize emin misiniz? Bu işlem, depolamayı Nextcloud üzerinden kaldırırarak, şu anda bağlı olan ve eşitlenen herhangi bir istemcide bu dosya ve klasörlerin silinmesine yol açar. Ancak dış depolama üzerindeki hiçbir dosya ve klasör silinmez.",
"Saving …" : "Kaydediliyor …"
diff --git a/apps/files_external/l10n/tr.json b/apps/files_external/l10n/tr.json
index f9579dec20f53..94c4c662cfde6 100644
--- a/apps/files_external/l10n/tr.json
+++ b/apps/files_external/l10n/tr.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Varsayılan Kerberos alanı, varsayılan olarak \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Kerberos kaydı Apache kipi",
"Kerberos ticket" : "Kerberos kaydı",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Buket",
"Hostname" : "Sunucu adı",
"Port" : "Bağlantı noktası",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "Uygulama anahtarı",
"App secret" : "Uygulama parolası",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Depolama alanı denetleniyor…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Bu dış depolama biriminin bağlantısını kesmek istediğinize emin misiniz? Bu işlem, depolamayı Nextcloud üzerinden kaldırırarak, şu anda bağlı olan ve eşitlenen herhangi bir istemcide bu dosya ve klasörlerin silinmesine yol açar. Ancak dış depolama üzerindeki hiçbir dosya ve klasör silinmez.",
"Saving …" : "Kaydediliyor …"
diff --git a/apps/files_external/l10n/ug.js b/apps/files_external/l10n/ug.js
index ff95cad0ceb68..82e5695ad983c 100644
--- a/apps/files_external/l10n/ug.js
+++ b/apps/files_external/l10n/ug.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos سۈكۈتتىكى رايون ، «WORKGROUP» غا سۈكۈت قىلىدۇ",
"Kerberos ticket Apache mode" : "Kerberos بېلەت Apache ھالىتى",
"Kerberos ticket" : "Kerberos بېلەت",
- "Amazon S3" : "Amazon S3",
"Bucket" : "چېلەك",
"Hostname" : "ساھىبجامال",
"Port" : "ئېغىز",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "ئەپ ئاچقۇچى",
"App secret" : "ئەپ مەخپىيىتى",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "بوشلۇقنى تەكشۈرۋاتىدۇ ...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "بۇ سىرتقى ساقلاشنى ئۈزۈۋېتىشنى خالامسىز؟ ئۇ Nextcloud دا ساقلاشنى ئىشلەتكىلى بولمايدۇ ھەمدە بۇ ھۆججەت ۋە ھۆججەت قىسقۇچلارنىڭ نۆۋەتتىكى ئۇلانغان ، ئەمما سىرتقى ساقلاشنىڭ ئۆزىدىكى ھۆججەت ۋە ھۆججەت قىسقۇچلارنى ئۆچۈرمەيدۇ.",
"Saving …" : "ساقلاۋاتىدۇ…"
diff --git a/apps/files_external/l10n/ug.json b/apps/files_external/l10n/ug.json
index 9de6e85a29f7d..f11ce6a551278 100644
--- a/apps/files_external/l10n/ug.json
+++ b/apps/files_external/l10n/ug.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos سۈكۈتتىكى رايون ، «WORKGROUP» غا سۈكۈت قىلىدۇ",
"Kerberos ticket Apache mode" : "Kerberos بېلەت Apache ھالىتى",
"Kerberos ticket" : "Kerberos بېلەت",
- "Amazon S3" : "Amazon S3",
"Bucket" : "چېلەك",
"Hostname" : "ساھىبجامال",
"Port" : "ئېغىز",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "ئەپ ئاچقۇچى",
"App secret" : "ئەپ مەخپىيىتى",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "بوشلۇقنى تەكشۈرۋاتىدۇ ...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "بۇ سىرتقى ساقلاشنى ئۈزۈۋېتىشنى خالامسىز؟ ئۇ Nextcloud دا ساقلاشنى ئىشلەتكىلى بولمايدۇ ھەمدە بۇ ھۆججەت ۋە ھۆججەت قىسقۇچلارنىڭ نۆۋەتتىكى ئۇلانغان ، ئەمما سىرتقى ساقلاشنىڭ ئۆزىدىكى ھۆججەت ۋە ھۆججەت قىسقۇچلارنى ئۆچۈرمەيدۇ.",
"Saving …" : "ساقلاۋاتىدۇ…"
diff --git a/apps/files_external/l10n/uk.js b/apps/files_external/l10n/uk.js
index c5d2c13f7b994..174e564dfb253 100644
--- a/apps/files_external/l10n/uk.js
+++ b/apps/files_external/l10n/uk.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Сфера за замовчуванням Kerberos, за замовчуванням \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Квиток Kerberos Режим ApacheКвиток Kerberos Режим Apache",
"Kerberos ticket" : "Квиток Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Кошик",
"Hostname" : "Ім'я хоста",
"Port" : "Порт",
@@ -156,6 +155,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "Ключ застосунку",
"App secret" : "Секретний ключ застосунку",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Перевірка сховища ...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Ви впевнені, що бажаєте від’єднати це зовнішнє сховище? Це призведе до того, що сховище стане недоступним у хмарі Nextcloud, а також вилучить файли та каталоги на клієнтських пристроях, які наразі синхронізуються з хмарою. Файли та каталоги у зовнішньому сховищі не буде вилучено.",
"Saving …" : "Збереження …"
diff --git a/apps/files_external/l10n/uk.json b/apps/files_external/l10n/uk.json
index e689eb124c96f..304f114060adf 100644
--- a/apps/files_external/l10n/uk.json
+++ b/apps/files_external/l10n/uk.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Сфера за замовчуванням Kerberos, за замовчуванням \"WORKGROUP\"",
"Kerberos ticket Apache mode" : "Квиток Kerberos Режим ApacheКвиток Kerberos Режим Apache",
"Kerberos ticket" : "Квиток Kerberos",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Кошик",
"Hostname" : "Ім'я хоста",
"Port" : "Порт",
@@ -154,6 +153,7 @@
"OAuth1" : "OAuth1",
"App key" : "Ключ застосунку",
"App secret" : "Секретний ключ застосунку",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "Перевірка сховища ...",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "Ви впевнені, що бажаєте від’єднати це зовнішнє сховище? Це призведе до того, що сховище стане недоступним у хмарі Nextcloud, а також вилучить файли та каталоги на клієнтських пристроях, які наразі синхронізуються з хмарою. Файли та каталоги у зовнішньому сховищі не буде вилучено.",
"Saving …" : "Збереження …"
diff --git a/apps/files_external/l10n/zh_CN.js b/apps/files_external/l10n/zh_CN.js
index 1b4d0fc437971..af1c35f9ac69e 100644
--- a/apps/files_external/l10n/zh_CN.js
+++ b/apps/files_external/l10n/zh_CN.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos 默认领域,默认为“WORKGROUP”",
"Kerberos ticket Apache mode" : "Kerberos 凭证 Apache 模式",
"Kerberos ticket" : "Kerberos 票据",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "主机名",
"Port" : "端口",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "App key",
"App secret" : "应用程序 secret",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "正在检查存储…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "您确定要断开这个外部存储空间吗?这将会导致该存储空间在 Nextcloud 中不可用,并将会在当前连接的任何同步客户端上删除文件和文件夹,但不会删除外部存储空间本身的任何文件和文件夹。",
"Saving …" : "正在保存 …"
diff --git a/apps/files_external/l10n/zh_CN.json b/apps/files_external/l10n/zh_CN.json
index a2eef207475e2..be0bdcd2acf3a 100644
--- a/apps/files_external/l10n/zh_CN.json
+++ b/apps/files_external/l10n/zh_CN.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos 默认领域,默认为“WORKGROUP”",
"Kerberos ticket Apache mode" : "Kerberos 凭证 Apache 模式",
"Kerberos ticket" : "Kerberos 票据",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "主机名",
"Port" : "端口",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "App key",
"App secret" : "应用程序 secret",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "正在检查存储…",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "您确定要断开这个外部存储空间吗?这将会导致该存储空间在 Nextcloud 中不可用,并将会在当前连接的任何同步客户端上删除文件和文件夹,但不会删除外部存储空间本身的任何文件和文件夹。",
"Saving …" : "正在保存 …"
diff --git a/apps/files_external/l10n/zh_HK.js b/apps/files_external/l10n/zh_HK.js
index 2e321668de045..3abe3c86217f7 100644
--- a/apps/files_external/l10n/zh_HK.js
+++ b/apps/files_external/l10n/zh_HK.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos 默認領域,默認為 “WORKGROUP”",
"Kerberos ticket Apache mode" : "Kerberos 票證 Apache 模式",
"Kerberos ticket" : "Kerberos 票證",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "主機名稱",
"Port" : "連接埠",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "App 密鑰",
"App secret" : "App 密碼",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "正在檢查儲存空間 …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "您確定要斷開此外部存儲嗎? 這將使該外部存儲在 Nextcloud 中不可用,將導致在目前連接的任何同步客戶端上刪除這些檔案件和資料夾,但不會刪除外部存儲本身上的任何檔案和資料夾。",
"Saving …" : "儲存中 ..."
diff --git a/apps/files_external/l10n/zh_HK.json b/apps/files_external/l10n/zh_HK.json
index 139993ec80e9a..0993427119ee3 100644
--- a/apps/files_external/l10n/zh_HK.json
+++ b/apps/files_external/l10n/zh_HK.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos 默認領域,默認為 “WORKGROUP”",
"Kerberos ticket Apache mode" : "Kerberos 票證 Apache 模式",
"Kerberos ticket" : "Kerberos 票證",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "主機名稱",
"Port" : "連接埠",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "App 密鑰",
"App secret" : "App 密碼",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "正在檢查儲存空間 …",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "您確定要斷開此外部存儲嗎? 這將使該外部存儲在 Nextcloud 中不可用,將導致在目前連接的任何同步客戶端上刪除這些檔案件和資料夾,但不會刪除外部存儲本身上的任何檔案和資料夾。",
"Saving …" : "儲存中 ..."
diff --git a/apps/files_external/l10n/zh_TW.js b/apps/files_external/l10n/zh_TW.js
index 66cfcaeefdcb3..2d8b7b7865a58 100644
--- a/apps/files_external/l10n/zh_TW.js
+++ b/apps/files_external/l10n/zh_TW.js
@@ -49,7 +49,6 @@ OC.L10N.register(
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos 預設領域,預設為「WORKGROUP」",
"Kerberos ticket Apache mode" : "Kerberos 票證 Apache 模式",
"Kerberos ticket" : "Kerberos 票證",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "主機名稱",
"Port" : "連接埠",
@@ -159,6 +158,7 @@ OC.L10N.register(
"OAuth1" : "OAuth1",
"App key" : "應用程式金鑰",
"App secret" : "應用程式密鑰",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "正在檢查儲存空間……",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "您確定要中斷與這個外部儲存空間的連結嗎?這會讓該儲存空間無法在 Nextcloud 中使用,並將會在目前連線的任何同步客戶端上刪除這些檔案與資料夾,但不會刪除外部儲存空間本身的任何檔案與資料夾。",
"Saving …" : "正在儲存…"
diff --git a/apps/files_external/l10n/zh_TW.json b/apps/files_external/l10n/zh_TW.json
index c562e695e4dd3..307a406ce0cc7 100644
--- a/apps/files_external/l10n/zh_TW.json
+++ b/apps/files_external/l10n/zh_TW.json
@@ -47,7 +47,6 @@
"Kerberos default realm, defaults to \"WORKGROUP\"" : "Kerberos 預設領域,預設為「WORKGROUP」",
"Kerberos ticket Apache mode" : "Kerberos 票證 Apache 模式",
"Kerberos ticket" : "Kerberos 票證",
- "Amazon S3" : "Amazon S3",
"Bucket" : "Bucket",
"Hostname" : "主機名稱",
"Port" : "連接埠",
@@ -157,6 +156,7 @@
"OAuth1" : "OAuth1",
"App key" : "應用程式金鑰",
"App secret" : "應用程式密鑰",
+ "Amazon S3" : "Amazon S3",
"Checking storage …" : "正在檢查儲存空間……",
"Are you sure you want to disconnect this external storage? It will make the storage unavailable in Nextcloud and will lead to a deletion of these files and folders on any sync client that is currently connected but will not delete any files and folders on the external storage itself." : "您確定要中斷與這個外部儲存空間的連結嗎?這會讓該儲存空間無法在 Nextcloud 中使用,並將會在目前連線的任何同步客戶端上刪除這些檔案與資料夾,但不會刪除外部儲存空間本身的任何檔案與資料夾。",
"Saving …" : "正在儲存…"
diff --git a/apps/files_external/lib/Lib/Backend/AmazonS3.php b/apps/files_external/lib/Lib/Backend/AmazonS3.php
index 464b03b55e0f4..0da93ad0d509e 100644
--- a/apps/files_external/lib/Lib/Backend/AmazonS3.php
+++ b/apps/files_external/lib/Lib/Backend/AmazonS3.php
@@ -21,7 +21,7 @@ public function __construct(IL10N $l, AccessKey $legacyAuth) {
->setIdentifier('amazons3')
->addIdentifierAlias('\OC\Files\Storage\AmazonS3') // legacy compat
->setStorageClass('\OCA\Files_External\Lib\Storage\AmazonS3')
- ->setText($l->t('Amazon S3'))
+ ->setText($l->t('S3 Storage'))
->addParameters([
new DefinitionParameter('bucket', $l->t('Bucket')),
(new DefinitionParameter('hostname', $l->t('Hostname')))
diff --git a/apps/files_reminders/l10n/ar.js b/apps/files_reminders/l10n/ar.js
index 67cf6016dfedb..3df1ae23d2dcb 100644
--- a/apps/files_reminders/l10n/ar.js
+++ b/apps/files_reminders/l10n/ar.js
@@ -8,8 +8,6 @@ OC.L10N.register(
"Files reminder" : "التذكير بالملفات",
"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}\"",
- "Clear reminder" : "محو التذكير",
"Please choose a valid date & time" : "من فضلك، إختَر وقتاً و تاريخاً صحيحين",
"Reminder set for \"{fileName}\"" : "تمّ ضبط تذكير بالملف \"{fileName}\"",
"Failed to set reminder" : "تعذّر ضبط التذكير",
@@ -17,6 +15,7 @@ OC.L10N.register(
"Failed to clear reminder" : "تعذّرت إزالة التذكير",
"We will remind you of this file" : "سوف يتم تذكيرك بهذا الملف",
"Cancel" : "إلغاء",
+ "Clear reminder" : "محو التذكير",
"Set reminder" : "ضبط التذكير",
"Reminder set" : "تمّ وضع تذكير",
"Later today" : "في وقت لاحقٍ اليوم",
@@ -29,6 +28,7 @@ OC.L10N.register(
"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." : "تطبيق التذكير بالملفات يحتاج إلى تطبيق الإشعارات ليعمل بالشكل الصحيح. عليك إمّا أن تقوم بتمكين الإشعارات او تعطيل التذكير بالملفات.",
+ "Set reminder for \"{fileName}\"" : "ضبط تذكير بالملف \"{fileName}\"",
"Set reminder at custom date & time" : "حدّد التذكير في وقت و تاريخ مخصص",
"Set custom reminder" : "ضبط تذكير مخصص"
},
diff --git a/apps/files_reminders/l10n/ar.json b/apps/files_reminders/l10n/ar.json
index 344c1eea6f9a4..561dfd9560987 100644
--- a/apps/files_reminders/l10n/ar.json
+++ b/apps/files_reminders/l10n/ar.json
@@ -6,8 +6,6 @@
"Files reminder" : "التذكير بالملفات",
"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}\"",
- "Clear reminder" : "محو التذكير",
"Please choose a valid date & time" : "من فضلك، إختَر وقتاً و تاريخاً صحيحين",
"Reminder set for \"{fileName}\"" : "تمّ ضبط تذكير بالملف \"{fileName}\"",
"Failed to set reminder" : "تعذّر ضبط التذكير",
@@ -15,6 +13,7 @@
"Failed to clear reminder" : "تعذّرت إزالة التذكير",
"We will remind you of this file" : "سوف يتم تذكيرك بهذا الملف",
"Cancel" : "إلغاء",
+ "Clear reminder" : "محو التذكير",
"Set reminder" : "ضبط التذكير",
"Reminder set" : "تمّ وضع تذكير",
"Later today" : "في وقت لاحقٍ اليوم",
@@ -27,6 +26,7 @@
"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." : "تطبيق التذكير بالملفات يحتاج إلى تطبيق الإشعارات ليعمل بالشكل الصحيح. عليك إمّا أن تقوم بتمكين الإشعارات او تعطيل التذكير بالملفات.",
+ "Set reminder for \"{fileName}\"" : "ضبط تذكير بالملف \"{fileName}\"",
"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;"
diff --git a/apps/files_reminders/l10n/cs.js b/apps/files_reminders/l10n/cs.js
index cbe5c48428c52..6c8e6abfc1c47 100644
--- a/apps/files_reminders/l10n/cs.js
+++ b/apps/files_reminders/l10n/cs.js
@@ -9,16 +9,15 @@ OC.L10N.register(
"The \"files_reminders\" app can work properly." : "Aplikace „files_reminder“ může fungovat správně.",
"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}",
- "Reminder at custom date & time" : "Připomínka v 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}“",
"Failed to set reminder" : "Připomínku se nepodařilo nastavit",
"Reminder cleared for \"{fileName}\"" : "Připomínka ohledně „{fileName}“ vyčištěna",
"Failed to clear reminder" : "Připomínku se nepodařilo vyčistit",
+ "Reminder at custom date & time" : "Připomínka v uživatelsky určený datum a čas",
"We will remind you of this file" : "Připomeneme vám tento soubor",
"Cancel" : "Storno",
+ "Clear reminder" : "Vyčistit připomínku",
"Set reminder" : "Nastavit připomínku",
"Reminder set" : "Nastavit připomínku",
"Custom reminder" : "Uživatelsky určená připomínka",
@@ -32,6 +31,7 @@ OC.L10N.register(
"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.",
+ "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",
"Set custom reminder" : "Nastavit uživatelsky určenou připomínku"
},
diff --git a/apps/files_reminders/l10n/cs.json b/apps/files_reminders/l10n/cs.json
index bdb586cd0e3f5..dff2f00a26058 100644
--- a/apps/files_reminders/l10n/cs.json
+++ b/apps/files_reminders/l10n/cs.json
@@ -7,16 +7,15 @@
"The \"files_reminders\" app can work properly." : "Aplikace „files_reminder“ může fungovat správně.",
"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}",
- "Reminder at custom date & time" : "Připomínka v 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}“",
"Failed to set reminder" : "Připomínku se nepodařilo nastavit",
"Reminder cleared for \"{fileName}\"" : "Připomínka ohledně „{fileName}“ vyčištěna",
"Failed to clear reminder" : "Připomínku se nepodařilo vyčistit",
+ "Reminder at custom date & time" : "Připomínka v uživatelsky určený datum a čas",
"We will remind you of this file" : "Připomeneme vám tento soubor",
"Cancel" : "Storno",
+ "Clear reminder" : "Vyčistit připomínku",
"Set reminder" : "Nastavit připomínku",
"Reminder set" : "Nastavit připomínku",
"Custom reminder" : "Uživatelsky určená připomínka",
@@ -30,6 +29,7 @@
"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.",
+ "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",
"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;"
diff --git a/apps/files_reminders/l10n/da.js b/apps/files_reminders/l10n/da.js
index 7974a2826a214..3e38227aa9ee1 100644
--- a/apps/files_reminders/l10n/da.js
+++ b/apps/files_reminders/l10n/da.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Appen \"files_reminders\" skal bruge notifikationsappen for at fungere korrekt. Du bør enten aktivere meddelelser eller deaktivere files_reminder.",
"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 app'en \"Meddelelser\" er installeret og aktiveret. Appen 'Notifikationer' leverer de nødvendige API'er for at appen 'Filpåmindelser' kan fungere korrekt.",
- "Set reminder for \"{fileName}\"" : "Indstil påmindelse for \"{fileName}\"",
- "Reminder at custom date & time" : "Påmindelse på brugerdefineret dato & tidspunkt",
- "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}\"",
"Failed to set reminder" : "Kunne ikke indstille påmindelsen",
"Reminder cleared for \"{fileName}\"" : "Påmindelsen blev ryddet for \"{fileName}\"",
"Failed to clear reminder" : "Kunne ikke rydde påmindelse",
+ "Reminder at custom date & time" : "Påmindelse på brugerdefineret dato & tidspunkt",
"We will remind you of this file" : "Vi vil minde dig om denne fil",
"Cancel" : "Annuller",
+ "Clear reminder" : "Ryd påmindelse",
"Set reminder" : "Sæt påmindelse",
"Reminder set" : "Påmindelse sat",
"Custom reminder" : "Brugerdefineret påmindelse",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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." : "App'en files_reminder behøver notifikationsappen for at fungere korrekt. Du bør enten aktivere notifikationer eller deaktivere files_reminder.",
+ "Set reminder for \"{fileName}\"" : "Indstil påmindelse for \"{fileName}\"",
"Set reminder at custom date & time" : "Indstil påmindelse til tilpasset dato og klokkeslæt",
"Set custom reminder" : "Sæt brugerdefineret påmindelse"
},
diff --git a/apps/files_reminders/l10n/da.json b/apps/files_reminders/l10n/da.json
index 0a42f390c8007..d67cf7a3397a2 100644
--- a/apps/files_reminders/l10n/da.json
+++ b/apps/files_reminders/l10n/da.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Appen \"files_reminders\" skal bruge notifikationsappen for at fungere korrekt. Du bør enten aktivere meddelelser eller deaktivere files_reminder.",
"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 app'en \"Meddelelser\" er installeret og aktiveret. Appen 'Notifikationer' leverer de nødvendige API'er for at appen 'Filpåmindelser' kan fungere korrekt.",
- "Set reminder for \"{fileName}\"" : "Indstil påmindelse for \"{fileName}\"",
- "Reminder at custom date & time" : "Påmindelse på brugerdefineret dato & tidspunkt",
- "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}\"",
"Failed to set reminder" : "Kunne ikke indstille påmindelsen",
"Reminder cleared for \"{fileName}\"" : "Påmindelsen blev ryddet for \"{fileName}\"",
"Failed to clear reminder" : "Kunne ikke rydde påmindelse",
+ "Reminder at custom date & time" : "Påmindelse på brugerdefineret dato & tidspunkt",
"We will remind you of this file" : "Vi vil minde dig om denne fil",
"Cancel" : "Annuller",
+ "Clear reminder" : "Ryd påmindelse",
"Set reminder" : "Sæt påmindelse",
"Reminder set" : "Påmindelse sat",
"Custom reminder" : "Brugerdefineret påmindelse",
@@ -31,6 +30,7 @@
"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." : "App'en files_reminder behøver notifikationsappen for at fungere korrekt. Du bør enten aktivere notifikationer eller deaktivere files_reminder.",
+ "Set reminder for \"{fileName}\"" : "Indstil påmindelse for \"{fileName}\"",
"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);"
diff --git a/apps/files_reminders/l10n/de.js b/apps/files_reminders/l10n/de.js
index 944366085256f..e157c82aed08f 100644
--- a/apps/files_reminders/l10n/de.js
+++ b/apps/files_reminders/l10n/de.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" 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 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",
- "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",
"Failed to set reminder" : "Erinnerung konnte nicht festgelegt werden",
"Reminder cleared for \"{fileName}\"" : "Erinnerung für \"{fileName}\" gelöscht",
"Failed to clear reminder" : "Erinnerung konnte nicht gelöscht werden",
+ "Reminder at custom date & time" : "Erinnerung zu benutzerdefiniertem Zeitpunkt und Tag",
"We will remind you of this file" : "Du wirst an diese Datei erinnert",
"Cancel" : "Abbrechen",
+ "Clear reminder" : "Erinnerung löschen",
"Set reminder" : "Erinnerung erstellen",
"Reminder set" : "Erinnerung gesetzt",
"Custom reminder" : "Benutzerdefinierte Erinnerung",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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. Es sollte entweder die Benachrichtigungen aktivieren oder \"files_reminders\" deaktivieren.",
+ "Set reminder for \"{fileName}\"" : "Erinnerung für \"{fileName}\" setzen",
"Set reminder at custom date & time" : "Erinnerung für benutzerdefinierten Zeitpunkt und Tag erstellen",
"Set custom reminder" : "Benutzerdefinierte Erinnerung erstellen"
},
diff --git a/apps/files_reminders/l10n/de.json b/apps/files_reminders/l10n/de.json
index 2ada05186f2a7..6531bce330fc4 100644
--- a/apps/files_reminders/l10n/de.json
+++ b/apps/files_reminders/l10n/de.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" 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 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",
- "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",
"Failed to set reminder" : "Erinnerung konnte nicht festgelegt werden",
"Reminder cleared for \"{fileName}\"" : "Erinnerung für \"{fileName}\" gelöscht",
"Failed to clear reminder" : "Erinnerung konnte nicht gelöscht werden",
+ "Reminder at custom date & time" : "Erinnerung zu benutzerdefiniertem Zeitpunkt und Tag",
"We will remind you of this file" : "Du wirst an diese Datei erinnert",
"Cancel" : "Abbrechen",
+ "Clear reminder" : "Erinnerung löschen",
"Set reminder" : "Erinnerung erstellen",
"Reminder set" : "Erinnerung gesetzt",
"Custom reminder" : "Benutzerdefinierte Erinnerung",
@@ -31,6 +30,7 @@
"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. Es sollte entweder die Benachrichtigungen aktivieren oder \"files_reminders\" deaktivieren.",
+ "Set reminder for \"{fileName}\"" : "Erinnerung für \"{fileName}\" setzen",
"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);"
diff --git a/apps/files_reminders/l10n/de_DE.js b/apps/files_reminders/l10n/de_DE.js
index 6adf4067ca706..d217b35a84c49 100644
--- a/apps/files_reminders/l10n/de_DE.js
+++ b/apps/files_reminders/l10n/de_DE.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" 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 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",
- "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",
"Failed to set reminder" : "Erinnerung konnte nicht festgelegt werden",
"Reminder cleared for \"{fileName}\"" : "Erinnerung für \"{fileName}\" gelöscht",
"Failed to clear reminder" : "Erinnerung konnte nicht gelöscht werden",
+ "Reminder at custom date & time" : "Erinnerung zu benutzerdefiniertem Zeitpunkt und Tag",
"We will remind you of this file" : "Sie werden an diese Datei erinnert",
"Cancel" : "Abbrechen",
+ "Clear reminder" : "Erinnerung löschen",
"Set reminder" : "Erinnerung erstellen",
"Reminder set" : "Erinnerung gesetzt",
"Custom reminder" : "Benutzerdefinierte Erinnerung",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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. Es sollte entweder die Benachrichtigungen aktivieren oder \"files_reminders\" deaktivieren.",
+ "Set reminder for \"{fileName}\"" : "Erinnerung für \"{fileName}\" setzen",
"Set reminder at custom date & time" : "Erinnerung für benutzerdefinierten Zeitpunkt und Tag erstellen",
"Set custom reminder" : "Benutzerdefinierte Erinnerung erstellen"
},
diff --git a/apps/files_reminders/l10n/de_DE.json b/apps/files_reminders/l10n/de_DE.json
index 0621c9fdd8045..853107cd09bc1 100644
--- a/apps/files_reminders/l10n/de_DE.json
+++ b/apps/files_reminders/l10n/de_DE.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" 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 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",
- "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",
"Failed to set reminder" : "Erinnerung konnte nicht festgelegt werden",
"Reminder cleared for \"{fileName}\"" : "Erinnerung für \"{fileName}\" gelöscht",
"Failed to clear reminder" : "Erinnerung konnte nicht gelöscht werden",
+ "Reminder at custom date & time" : "Erinnerung zu benutzerdefiniertem Zeitpunkt und Tag",
"We will remind you of this file" : "Sie werden an diese Datei erinnert",
"Cancel" : "Abbrechen",
+ "Clear reminder" : "Erinnerung löschen",
"Set reminder" : "Erinnerung erstellen",
"Reminder set" : "Erinnerung gesetzt",
"Custom reminder" : "Benutzerdefinierte Erinnerung",
@@ -31,6 +30,7 @@
"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. Es sollte entweder die Benachrichtigungen aktivieren oder \"files_reminders\" deaktivieren.",
+ "Set reminder for \"{fileName}\"" : "Erinnerung für \"{fileName}\" setzen",
"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);"
diff --git a/apps/files_reminders/l10n/el.js b/apps/files_reminders/l10n/el.js
index 8d2894ea420e1..c55decdadfbda 100644
--- a/apps/files_reminders/l10n/el.js
+++ b/apps/files_reminders/l10n/el.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Η εφαρμογή \"files_reminders\" χρειάζεται την εφαρμογή ειδοποιήσεων για να λειτουργήσει σωστά. Πρέπει είτε να ενεργοποιήσετε τις ειδοποιήσεις είτε να απενεργοποιήσετε την files_reminder.",
"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}\"",
- "Reminder at custom date & time" : "Υπενθύμιση σε προσαρμοσμένη ημερομηνία & ώρα",
- "Clear reminder" : "Εκκαθάριση υπενθύμισης",
"Please choose a valid date & time" : "Παρακαλώ επιλέξτε μια έγκυρη ημερομηνία & ώρα",
"Reminder set for \"{fileName}\"" : "Ορίστηκε υπενθύμιση για \"{fileName}\"",
"Failed to set reminder" : "Αποτυχία ορισμού υπενθύμισης",
"Reminder cleared for \"{fileName}\"" : "Εκκαθαρίστηκε η υπενθύμιση για \"{fileName}\"",
"Failed to clear reminder" : "Αποτυχία εκκαθάρισης υπενθύμισης",
+ "Reminder at custom date & time" : "Υπενθύμιση σε προσαρμοσμένη ημερομηνία & ώρα",
"We will remind you of this file" : "Θα σας υπενθυμίσουμε αυτό το αρχείο",
"Cancel" : "Ακύρωση",
+ "Clear reminder" : "Εκκαθάριση υπενθύμισης",
"Set reminder" : "Ορισμός υπενθύμισης",
"Reminder set" : "Ορίστηκε υπενθύμιση",
"Custom reminder" : "Προσαρμοσμένη υπενθύμιση",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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.",
+ "Set reminder for \"{fileName}\"" : "Ορισμός υπενθύμισης για \"{fileName}\"",
"Set reminder at custom date & time" : "Ορίστε την υπενθύμιση σε προσαρμοσμένη ημερομηνία και ώρα",
"Set custom reminder" : "Ορισμός προσαρμοσμένης υπενθύμισης"
},
diff --git a/apps/files_reminders/l10n/el.json b/apps/files_reminders/l10n/el.json
index c525c5442ee3e..f423c4790edd8 100644
--- a/apps/files_reminders/l10n/el.json
+++ b/apps/files_reminders/l10n/el.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Η εφαρμογή \"files_reminders\" χρειάζεται την εφαρμογή ειδοποιήσεων για να λειτουργήσει σωστά. Πρέπει είτε να ενεργοποιήσετε τις ειδοποιήσεις είτε να απενεργοποιήσετε την files_reminder.",
"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}\"",
- "Reminder at custom date & time" : "Υπενθύμιση σε προσαρμοσμένη ημερομηνία & ώρα",
- "Clear reminder" : "Εκκαθάριση υπενθύμισης",
"Please choose a valid date & time" : "Παρακαλώ επιλέξτε μια έγκυρη ημερομηνία & ώρα",
"Reminder set for \"{fileName}\"" : "Ορίστηκε υπενθύμιση για \"{fileName}\"",
"Failed to set reminder" : "Αποτυχία ορισμού υπενθύμισης",
"Reminder cleared for \"{fileName}\"" : "Εκκαθαρίστηκε η υπενθύμιση για \"{fileName}\"",
"Failed to clear reminder" : "Αποτυχία εκκαθάρισης υπενθύμισης",
+ "Reminder at custom date & time" : "Υπενθύμιση σε προσαρμοσμένη ημερομηνία & ώρα",
"We will remind you of this file" : "Θα σας υπενθυμίσουμε αυτό το αρχείο",
"Cancel" : "Ακύρωση",
+ "Clear reminder" : "Εκκαθάριση υπενθύμισης",
"Set reminder" : "Ορισμός υπενθύμισης",
"Reminder set" : "Ορίστηκε υπενθύμιση",
"Custom reminder" : "Προσαρμοσμένη υπενθύμιση",
@@ -31,6 +30,7 @@
"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.",
+ "Set reminder for \"{fileName}\"" : "Ορισμός υπενθύμισης για \"{fileName}\"",
"Set reminder at custom date & time" : "Ορίστε την υπενθύμιση σε προσαρμοσμένη ημερομηνία και ώρα",
"Set custom reminder" : "Ορισμός προσαρμοσμένης υπενθύμισης"
},"pluralForm" :"nplurals=2; plural=(n != 1);"
diff --git a/apps/files_reminders/l10n/en_GB.js b/apps/files_reminders/l10n/en_GB.js
index dff76ce098e83..3a93f10664b92 100644
--- a/apps/files_reminders/l10n/en_GB.js
+++ b/apps/files_reminders/l10n/en_GB.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder.",
"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}\"",
- "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}\"",
"Failed to set reminder" : "Failed to set reminder",
"Reminder cleared for \"{fileName}\"" : "Reminder cleared for \"{fileName}\"",
"Failed to clear reminder" : "Failed to clear reminder",
+ "Reminder at custom date & time" : "Reminder at custom date & time",
"We will remind you of this file" : "We will remind you of this file",
"Cancel" : "Cancel",
+ "Clear reminder" : "Clear reminder",
"Set reminder" : "Set reminder",
"Reminder set" : "Reminder set",
"Custom reminder" : "Custom reminder",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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.",
+ "Set reminder for \"{fileName}\"" : "Set reminder for \"{fileName}\"",
"Set reminder at custom date & time" : "Set reminder at custom date & time",
"Set custom reminder" : "Set custom reminder"
},
diff --git a/apps/files_reminders/l10n/en_GB.json b/apps/files_reminders/l10n/en_GB.json
index 1991fb3799a0a..6349961a66b1b 100644
--- a/apps/files_reminders/l10n/en_GB.json
+++ b/apps/files_reminders/l10n/en_GB.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder.",
"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}\"",
- "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}\"",
"Failed to set reminder" : "Failed to set reminder",
"Reminder cleared for \"{fileName}\"" : "Reminder cleared for \"{fileName}\"",
"Failed to clear reminder" : "Failed to clear reminder",
+ "Reminder at custom date & time" : "Reminder at custom date & time",
"We will remind you of this file" : "We will remind you of this file",
"Cancel" : "Cancel",
+ "Clear reminder" : "Clear reminder",
"Set reminder" : "Set reminder",
"Reminder set" : "Reminder set",
"Custom reminder" : "Custom reminder",
@@ -31,6 +30,7 @@
"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.",
+ "Set reminder for \"{fileName}\"" : "Set reminder for \"{fileName}\"",
"Set reminder at custom date & time" : "Set reminder at custom date & time",
"Set custom reminder" : "Set custom reminder"
},"pluralForm" :"nplurals=2; plural=(n != 1);"
diff --git a/apps/files_reminders/l10n/es.js b/apps/files_reminders/l10n/es.js
index 3161133516a62..6834d1a705b24 100644
--- a/apps/files_reminders/l10n/es.js
+++ b/apps/files_reminders/l10n/es.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"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}\"",
- "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 establecer el recordatorio",
"Reminder cleared for \"{fileName}\"" : "Se limpió el recordatorio para \"{fileName}\"",
"Failed to clear reminder" : "Fallo al borrar el recordatorio",
+ "Reminder at custom date & time" : "Recordatorio en una fecha y hora personalizada",
"We will remind you of this file" : "Le recordaremos de este archivo",
"Cancel" : "Cancelar",
+ "Clear reminder" : "Borrar recordatorio",
"Set reminder" : "Establecer recordatorio",
"Reminder set" : "Recordatorio establecido",
"Custom reminder" : "Recordatorio personalizado",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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 for \"{fileName}\"" : "Establecer recordatorio para \"{fileName}\"",
"Set reminder at custom date & time" : "Establecer recordatorio a una fecha y hora personalizada",
"Set custom reminder" : "Establecer recordatorio personalizado"
},
diff --git a/apps/files_reminders/l10n/es.json b/apps/files_reminders/l10n/es.json
index ca3bc8ce1cd2b..2489b08404801 100644
--- a/apps/files_reminders/l10n/es.json
+++ b/apps/files_reminders/l10n/es.json
@@ -8,16 +8,15 @@
"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}\"",
- "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 establecer el recordatorio",
"Reminder cleared for \"{fileName}\"" : "Se limpió el recordatorio para \"{fileName}\"",
"Failed to clear reminder" : "Fallo al borrar el recordatorio",
+ "Reminder at custom date & time" : "Recordatorio en una fecha y hora personalizada",
"We will remind you of this file" : "Le recordaremos de este archivo",
"Cancel" : "Cancelar",
+ "Clear reminder" : "Borrar recordatorio",
"Set reminder" : "Establecer recordatorio",
"Reminder set" : "Recordatorio establecido",
"Custom reminder" : "Recordatorio personalizado",
@@ -31,6 +30,7 @@
"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 for \"{fileName}\"" : "Establecer recordatorio para \"{fileName}\"",
"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;"
diff --git a/apps/files_reminders/l10n/et_EE.js b/apps/files_reminders/l10n/et_EE.js
index 0bf3e495fc3c4..63e9568f127c4 100644
--- a/apps/files_reminders/l10n/et_EE.js
+++ b/apps/files_reminders/l10n/et_EE.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" 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 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}“",
- "Reminder at custom date & time" : "Meeldetuletus sinu valitud kuupäeval ja ajal",
- "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}“",
"Failed to set reminder" : "Meeldetuletuse lisamine ei õnnestunud",
"Reminder cleared for \"{fileName}\"" : "Meeldetuletus on eemaldatud: „{fileName}“",
"Failed to clear reminder" : "Meeldetuletuse eemaldamine ei õnnestunud",
+ "Reminder at custom date & time" : "Meeldetuletus sinu valitud kuupäeval ja ajal",
"We will remind you of this file" : "Me anname sulle selle faili või kausta osas märku",
"Cancel" : "Tühista",
+ "Clear reminder" : "Eemalda meeldetuletus",
"Set reminder" : "Lisa meeldetuletus",
"Reminder set" : "Meeldetuletus on lisatud",
"Custom reminder" : "Enda valitud meeldetuletus",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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.",
+ "Set reminder for \"{fileName}\"" : "Lisa meeldetuletus: „{fileName}“",
"Set reminder at custom date & time" : "Säti meeldetuletus valitud kuupäevaks ja ajaks",
"Set custom reminder" : "Lisa enda valitud meeldetuletus"
},
diff --git a/apps/files_reminders/l10n/et_EE.json b/apps/files_reminders/l10n/et_EE.json
index 9a7f145a7a754..5f16bfcfbdf6a 100644
--- a/apps/files_reminders/l10n/et_EE.json
+++ b/apps/files_reminders/l10n/et_EE.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" 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 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}“",
- "Reminder at custom date & time" : "Meeldetuletus sinu valitud kuupäeval ja ajal",
- "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}“",
"Failed to set reminder" : "Meeldetuletuse lisamine ei õnnestunud",
"Reminder cleared for \"{fileName}\"" : "Meeldetuletus on eemaldatud: „{fileName}“",
"Failed to clear reminder" : "Meeldetuletuse eemaldamine ei õnnestunud",
+ "Reminder at custom date & time" : "Meeldetuletus sinu valitud kuupäeval ja ajal",
"We will remind you of this file" : "Me anname sulle selle faili või kausta osas märku",
"Cancel" : "Tühista",
+ "Clear reminder" : "Eemalda meeldetuletus",
"Set reminder" : "Lisa meeldetuletus",
"Reminder set" : "Meeldetuletus on lisatud",
"Custom reminder" : "Enda valitud meeldetuletus",
@@ -31,6 +30,7 @@
"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.",
+ "Set reminder for \"{fileName}\"" : "Lisa meeldetuletus: „{fileName}“",
"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);"
diff --git a/apps/files_reminders/l10n/eu.js b/apps/files_reminders/l10n/eu.js
deleted file mode 100644
index f138b1e56db7d..0000000000000
--- a/apps/files_reminders/l10n/eu.js
+++ /dev/null
@@ -1,22 +0,0 @@
-OC.L10N.register(
- "files_reminders",
- {
- "File reminders" : "Fitxategiaren gogorarazpenak",
- "View file" : "Ikusi fitxategia",
- "View folder" : "Ikusi karpeta",
- "Clear reminder" : "Garbitu gogorarazpena",
- "Failed to clear reminder" : "Gogorarazpena garbitzeak huts egin du",
- "Cancel" : "Utzi",
- "Set reminder" : "Ezarri gogorarazpena",
- "Reminder set" : "Gogorarazpena ezarrita",
- "Later today" : "Beranduago gaur",
- "Set reminder for later today" : "Ezarri gogorarazpena gaur beranduagorako",
- "Tomorrow" : "Bihar",
- "Set reminder for tomorrow" : "Ezarri gogorarazpena biharko",
- "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 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
deleted file mode 100644
index 56c4c9d02dbf6..0000000000000
--- a/apps/files_reminders/l10n/eu.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{ "translations": {
- "File reminders" : "Fitxategiaren gogorarazpenak",
- "View file" : "Ikusi fitxategia",
- "View folder" : "Ikusi karpeta",
- "Clear reminder" : "Garbitu gogorarazpena",
- "Failed to clear reminder" : "Gogorarazpena garbitzeak huts egin du",
- "Cancel" : "Utzi",
- "Set reminder" : "Ezarri gogorarazpena",
- "Reminder set" : "Gogorarazpena ezarrita",
- "Later today" : "Beranduago gaur",
- "Set reminder for later today" : "Ezarri gogorarazpena gaur beranduagorako",
- "Tomorrow" : "Bihar",
- "Set reminder for tomorrow" : "Ezarri gogorarazpena biharko",
- "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 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 0ecb1cead951b..0cdabec198aa7 100644
--- a/apps/files_reminders/l10n/fi.js
+++ b/apps/files_reminders/l10n/fi.js
@@ -6,14 +6,13 @@ OC.L10N.register(
"View file" : "Näytä tiedosto",
"View folder" : "Näytä kansio",
"Set file reminders" : "Aseta tiedostomuistutuksia",
- "Set reminder for \"{fileName}\"" : "Muistutus asetettu tiedostolle \"{fileName}\"",
- "Clear reminder" : "Tyhjennä muistutus",
"Please choose a valid date & time" : "Valitse kelvollinen päivä ja aika",
"Reminder set for \"{fileName}\"" : "Muistutus asetettu tiedostolle \"{fileName}\"",
"Failed to set reminder" : "Muistutuksen asettaminen epäonnistui",
"Failed to clear reminder" : "Muistutuksen tyhjentäminen epäonnistui",
"We will remind you of this file" : "Muistutamme sinua tästä tiedostosta",
"Cancel" : "Peruuta",
+ "Clear reminder" : "Tyhjennä muistutus",
"Set reminder" : "Aseta muistutus",
"Reminder set" : "Muistutus asetettu",
"Later today" : "Myöhemmin tänään",
@@ -24,6 +23,7 @@ OC.L10N.register(
"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 \"{fileName}\"" : "Muistutus asetettu tiedostolle \"{fileName}\"",
"Set reminder at custom date & time" : "Aseta muistutus mukautetulle päivälle ja ajankohdalle",
"Set custom reminder" : "Aseta mukautettu muistutus"
},
diff --git a/apps/files_reminders/l10n/fi.json b/apps/files_reminders/l10n/fi.json
index 0a75fa7481da1..4bb2603c2d7f6 100644
--- a/apps/files_reminders/l10n/fi.json
+++ b/apps/files_reminders/l10n/fi.json
@@ -4,14 +4,13 @@
"View file" : "Näytä tiedosto",
"View folder" : "Näytä kansio",
"Set file reminders" : "Aseta tiedostomuistutuksia",
- "Set reminder for \"{fileName}\"" : "Muistutus asetettu tiedostolle \"{fileName}\"",
- "Clear reminder" : "Tyhjennä muistutus",
"Please choose a valid date & time" : "Valitse kelvollinen päivä ja aika",
"Reminder set for \"{fileName}\"" : "Muistutus asetettu tiedostolle \"{fileName}\"",
"Failed to set reminder" : "Muistutuksen asettaminen epäonnistui",
"Failed to clear reminder" : "Muistutuksen tyhjentäminen epäonnistui",
"We will remind you of this file" : "Muistutamme sinua tästä tiedostosta",
"Cancel" : "Peruuta",
+ "Clear reminder" : "Tyhjennä muistutus",
"Set reminder" : "Aseta muistutus",
"Reminder set" : "Muistutus asetettu",
"Later today" : "Myöhemmin tänään",
@@ -22,6 +21,7 @@
"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 \"{fileName}\"" : "Muistutus asetettu tiedostolle \"{fileName}\"",
"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);"
diff --git a/apps/files_reminders/l10n/fr.js b/apps/files_reminders/l10n/fr.js
index 29e4e668f9c4c..8bad4bdb9359b 100644
--- a/apps/files_reminders/l10n/fr.js
+++ b/apps/files_reminders/l10n/fr.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "L'application « files_reminders » a besoin de l'application de notifications pour fonctionner correctement. Vous devez activer les notifications ou désactiver « files_reminder ».",
"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} »",
- "Reminder at custom date & time" : "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} »",
"Failed to set reminder" : "Échec de la définition du rappel",
"Reminder cleared for \"{fileName}\"" : "Rappel effacé pour « {fileName} »",
"Failed to clear reminder" : "Échec de l'effacement du rappel",
+ "Reminder at custom date & time" : "Rappel à une date et une heure personnalisées",
"We will remind you of this file" : "Nous vous rappellerons de ce fichier",
"Cancel" : "Annuler",
+ "Clear reminder" : "Effacer le rappel",
"Set reminder" : "Définir un rappel",
"Reminder set" : "Rappel défini",
"Custom reminder" : "Rappel personnalisé",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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.",
+ "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",
"Set custom reminder" : "Définir un rappel personnalisé"
},
diff --git a/apps/files_reminders/l10n/fr.json b/apps/files_reminders/l10n/fr.json
index b974a9456f901..34e38393a4054 100644
--- a/apps/files_reminders/l10n/fr.json
+++ b/apps/files_reminders/l10n/fr.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "L'application « files_reminders » a besoin de l'application de notifications pour fonctionner correctement. Vous devez activer les notifications ou désactiver « files_reminder ».",
"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} »",
- "Reminder at custom date & time" : "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} »",
"Failed to set reminder" : "Échec de la définition du rappel",
"Reminder cleared for \"{fileName}\"" : "Rappel effacé pour « {fileName} »",
"Failed to clear reminder" : "Échec de l'effacement du rappel",
+ "Reminder at custom date & time" : "Rappel à une date et une heure personnalisées",
"We will remind you of this file" : "Nous vous rappellerons de ce fichier",
"Cancel" : "Annuler",
+ "Clear reminder" : "Effacer le rappel",
"Set reminder" : "Définir un rappel",
"Reminder set" : "Rappel défini",
"Custom reminder" : "Rappel personnalisé",
@@ -31,6 +30,7 @@
"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.",
+ "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",
"Set custom reminder" : "Définir un rappel personnalisé"
},"pluralForm" :"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"
diff --git a/apps/files_reminders/l10n/ga.js b/apps/files_reminders/l10n/ga.js
index 1aaad1be7bf5c..8290aa6c48d2e 100644
--- a/apps/files_reminders/l10n/ga.js
+++ b/apps/files_reminders/l10n/ga.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Ní mór don app \"files_reminders\" an app fógra a bheith ag obair i gceart. Ba cheart duit fógraí a chumasú nó comhaid_reminder a dhíchumasú.",
"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}\"",
- "Reminder at custom date & time" : "Meabhrúchán ag dá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}\"",
"Failed to set reminder" : "Theip ar an meabhrúchán a shocrú",
"Reminder cleared for \"{fileName}\"" : "Glanadh an meabhrúchán le haghaidh \"{fileName}\"",
"Failed to clear reminder" : "Theip ar an meabhrúchán a ghlanadh",
+ "Reminder at custom date & time" : "Meabhrúchán ag dáta agus am saincheaptha",
"We will remind you of this file" : "Cuirfimid an comhad seo i gcuimhne duit",
"Cancel" : "Cealaigh",
+ "Clear reminder" : "Meabhrúchán soiléir",
"Set reminder" : "Socraigh meabhrúchán",
"Reminder set" : "Meabhrúchán socraithe",
"Custom reminder" : "Meabhrúchán saincheaptha",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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ú.",
+ "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",
"Set custom reminder" : "Socraigh meabhrúchán saincheaptha"
},
diff --git a/apps/files_reminders/l10n/ga.json b/apps/files_reminders/l10n/ga.json
index 109e7ece79dd2..1575645f77196 100644
--- a/apps/files_reminders/l10n/ga.json
+++ b/apps/files_reminders/l10n/ga.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Ní mór don app \"files_reminders\" an app fógra a bheith ag obair i gceart. Ba cheart duit fógraí a chumasú nó comhaid_reminder a dhíchumasú.",
"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}\"",
- "Reminder at custom date & time" : "Meabhrúchán ag dá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}\"",
"Failed to set reminder" : "Theip ar an meabhrúchán a shocrú",
"Reminder cleared for \"{fileName}\"" : "Glanadh an meabhrúchán le haghaidh \"{fileName}\"",
"Failed to clear reminder" : "Theip ar an meabhrúchán a ghlanadh",
+ "Reminder at custom date & time" : "Meabhrúchán ag dáta agus am saincheaptha",
"We will remind you of this file" : "Cuirfimid an comhad seo i gcuimhne duit",
"Cancel" : "Cealaigh",
+ "Clear reminder" : "Meabhrúchán soiléir",
"Set reminder" : "Socraigh meabhrúchán",
"Reminder set" : "Meabhrúchán socraithe",
"Custom reminder" : "Meabhrúchán saincheaptha",
@@ -31,6 +30,7 @@
"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ú.",
+ "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",
"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);"
diff --git a/apps/files_reminders/l10n/gl.js b/apps/files_reminders/l10n/gl.js
index d156b19149003..d035a5f54c498 100644
--- a/apps/files_reminders/l10n/gl.js
+++ b/apps/files_reminders/l10n/gl.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "A aplicación «files_reminders» necesita que a aplicación de notificación funcione correctamente. Debe activar as notificacións ou desactivar files_reminder.",
"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 ficheiro**\n\nDefinir lembretes de ficheiro.\n\nNota: para usar a aplicación `Lembretes de ficheiro`, 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 ficheiro` funcione correctamente.",
- "Set reminder for \"{fileName}\"" : "Definir un lembrete para «{fileName}»",
- "Reminder at custom date & time" : "Lembrete en 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}»",
"Failed to set reminder" : "Produciuse un fallo ao definir o lembrete",
"Reminder cleared for \"{fileName}\"" : "Limpouse o lembrete para «{fileName}»",
"Failed to clear reminder" : "Produciuse un fallo ao limpar o lembrete",
+ "Reminder at custom date & time" : "Lembrete en data e hora personalizadas",
"We will remind you of this file" : "Lembrarémoslle este ficheiro",
"Cancel" : "Cancelar",
+ "Clear reminder" : "Limpar o lembrete",
"Set reminder" : "Definir un lembrete",
"Reminder set" : "Definir lembrete",
"Custom reminder" : "Lembrete personalizado",
@@ -33,6 +32,7 @@ OC.L10N.register(
"Set reminder for next week" : "Definir un lembrete para a semana seguinte",
"This files_reminder can work properly." : "Esta aplicación «files_reminder» pode funcionar correctamente.",
"The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "A aplicación «files_reminder» necesita que a aplicación de notificación funcione correctamente. Debe activar as notificacións ou desactivar files_reminder.",
+ "Set reminder for \"{fileName}\"" : "Definir un lembrete para «{fileName}»",
"Set reminder at custom date & time" : "Definir lembrete na data e hora personalizadas",
"Set custom reminder" : "Definir un lembrete personalizado"
},
diff --git a/apps/files_reminders/l10n/gl.json b/apps/files_reminders/l10n/gl.json
index 74627521cf3cd..e5f31d8848ea4 100644
--- a/apps/files_reminders/l10n/gl.json
+++ b/apps/files_reminders/l10n/gl.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "A aplicación «files_reminders» necesita que a aplicación de notificación funcione correctamente. Debe activar as notificacións ou desactivar files_reminder.",
"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 ficheiro**\n\nDefinir lembretes de ficheiro.\n\nNota: para usar a aplicación `Lembretes de ficheiro`, 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 ficheiro` funcione correctamente.",
- "Set reminder for \"{fileName}\"" : "Definir un lembrete para «{fileName}»",
- "Reminder at custom date & time" : "Lembrete en 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}»",
"Failed to set reminder" : "Produciuse un fallo ao definir o lembrete",
"Reminder cleared for \"{fileName}\"" : "Limpouse o lembrete para «{fileName}»",
"Failed to clear reminder" : "Produciuse un fallo ao limpar o lembrete",
+ "Reminder at custom date & time" : "Lembrete en data e hora personalizadas",
"We will remind you of this file" : "Lembrarémoslle este ficheiro",
"Cancel" : "Cancelar",
+ "Clear reminder" : "Limpar o lembrete",
"Set reminder" : "Definir un lembrete",
"Reminder set" : "Definir lembrete",
"Custom reminder" : "Lembrete personalizado",
@@ -31,6 +30,7 @@
"Set reminder for next week" : "Definir un lembrete para a semana seguinte",
"This files_reminder can work properly." : "Esta aplicación «files_reminder» pode funcionar correctamente.",
"The files_reminder app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "A aplicación «files_reminder» necesita que a aplicación de notificación funcione correctamente. Debe activar as notificacións ou desactivar files_reminder.",
+ "Set reminder for \"{fileName}\"" : "Definir un lembrete para «{fileName}»",
"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);"
diff --git a/apps/files_reminders/l10n/hu.js b/apps/files_reminders/l10n/hu.js
index ff9c901ffaeee..0cd6a5a30ab57 100644
--- a/apps/files_reminders/l10n/hu.js
+++ b/apps/files_reminders/l10n/hu.js
@@ -6,8 +6,6 @@ OC.L10N.register(
"View file" : "Fájl megtekintése",
"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}”",
- "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}",
"Failed to set reminder" : "Nem sikerült beállítani az emlékeztetőt",
@@ -15,6 +13,7 @@ OC.L10N.register(
"Failed to clear reminder" : "Nem sikerült törölni az emlékeztetőt",
"We will remind you of this file" : "Emlékeztetni fogjuk Önt erre a fájlra",
"Cancel" : "Mégse",
+ "Clear reminder" : "Emlékeztető törlése",
"Set reminder" : "Emlékeztető beállítása",
"Reminder set" : "Emlékeztető beállítása",
"Later today" : "Mai nap később",
@@ -25,6 +24,7 @@ OC.L10N.register(
"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 \"{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",
"Set custom reminder" : "Egyéni emlékeztető beállítása"
},
diff --git a/apps/files_reminders/l10n/hu.json b/apps/files_reminders/l10n/hu.json
index 36c4ace533f1f..02e145049ab20 100644
--- a/apps/files_reminders/l10n/hu.json
+++ b/apps/files_reminders/l10n/hu.json
@@ -4,8 +4,6 @@
"View file" : "Fájl megtekintése",
"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}”",
- "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}",
"Failed to set reminder" : "Nem sikerült beállítani az emlékeztetőt",
@@ -13,6 +11,7 @@
"Failed to clear reminder" : "Nem sikerült törölni az emlékeztetőt",
"We will remind you of this file" : "Emlékeztetni fogjuk Önt erre a fájlra",
"Cancel" : "Mégse",
+ "Clear reminder" : "Emlékeztető törlése",
"Set reminder" : "Emlékeztető beállítása",
"Reminder set" : "Emlékeztető beállítása",
"Later today" : "Mai nap később",
@@ -23,6 +22,7 @@
"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 \"{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",
"Set custom reminder" : "Egyéni emlékeztető beállítása"
},"pluralForm" :"nplurals=2; plural=(n != 1);"
diff --git a/apps/files_reminders/l10n/it.js b/apps/files_reminders/l10n/it.js
index c9c3a08142df7..b0e1139ebd5cf 100644
--- a/apps/files_reminders/l10n/it.js
+++ b/apps/files_reminders/l10n/it.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"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}\"",
- "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}\"",
"Failed to set reminder" : "Impossibile impostare il promemoria",
"Reminder cleared for \"{fileName}\"" : "Promemoria cancellato per \"{fileName}\"",
"Failed to clear reminder" : "Impossibile cancellare il promemoria",
+ "Reminder at custom date & time" : "Promemoria a data e ora personalizzate",
"We will remind you of this file" : "Ti ricorderemo questo file",
"Cancel" : "Annulla",
+ "Clear reminder" : "Elimina promemoria",
"Set reminder" : "Imposta promemoria",
"Reminder set" : "Promemoria impostato",
"Custom reminder" : "Promemoria personalizzato",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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 for \"{fileName}\"" : "Imposta promemoria per \"{fileName}\"",
"Set reminder at custom date & time" : "Imposta promemoria per data personalizzata & ora",
"Set custom reminder" : "Imposta promemoria personalizzato"
},
diff --git a/apps/files_reminders/l10n/it.json b/apps/files_reminders/l10n/it.json
index 193ff9393dbfb..67e6709d7f154 100644
--- a/apps/files_reminders/l10n/it.json
+++ b/apps/files_reminders/l10n/it.json
@@ -8,16 +8,15 @@
"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}\"",
- "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}\"",
"Failed to set reminder" : "Impossibile impostare il promemoria",
"Reminder cleared for \"{fileName}\"" : "Promemoria cancellato per \"{fileName}\"",
"Failed to clear reminder" : "Impossibile cancellare il promemoria",
+ "Reminder at custom date & time" : "Promemoria a data e ora personalizzate",
"We will remind you of this file" : "Ti ricorderemo questo file",
"Cancel" : "Annulla",
+ "Clear reminder" : "Elimina promemoria",
"Set reminder" : "Imposta promemoria",
"Reminder set" : "Promemoria impostato",
"Custom reminder" : "Promemoria personalizzato",
@@ -31,6 +30,7 @@
"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 for \"{fileName}\"" : "Imposta promemoria per \"{fileName}\"",
"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;"
diff --git a/apps/files_reminders/l10n/ja.js b/apps/files_reminders/l10n/ja.js
index a90d8157bbeb6..8e2666e5d9254 100644
--- a/apps/files_reminders/l10n/ja.js
+++ b/apps/files_reminders/l10n/ja.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "\"files_reminder\"アプリが正しく動作するには、通知アプリが必要です。通知を有効にするか、files_reminderを無効にしてください。",
"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}\"のリマインダーを設定",
- "Reminder at custom date & time" : "カスタム日時でのリマインダー",
- "Clear reminder" : "リマインダーをクリア",
"Please choose a valid date & time" : "有効な日付と時間を選択してください。",
"Reminder set for \"{fileName}\"" : "\"{fileName}\"のリマインダーを設定しました",
"Failed to set reminder" : "リマインダーの設定に失敗しました",
"Reminder cleared for \"{fileName}\"" : "\"{fileName}\"のリマインダーをクリアしました",
"Failed to clear reminder" : "リマインダーのクリアに失敗しました",
+ "Reminder at custom date & time" : "カスタム日時でのリマインダー",
"We will remind you of this file" : "このファイルをリマインドします",
"Cancel" : "キャンセル",
+ "Clear reminder" : "リマインダーをクリア",
"Set reminder" : "リマインダーを設定",
"Reminder set" : "リマインダーセット",
"Custom reminder" : "カスタムリマインダー",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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を無効にしてください。",
+ "Set reminder for \"{fileName}\"" : "\"{fileName}\"のリマインダーを設定",
"Set reminder at custom date & time" : "カスタムした日付と時刻にリマインダーを設定",
"Set custom reminder" : "カスタムリマインダーを設定する"
},
diff --git a/apps/files_reminders/l10n/ja.json b/apps/files_reminders/l10n/ja.json
index 412db35c7f2a1..dfbfc73adc8ec 100644
--- a/apps/files_reminders/l10n/ja.json
+++ b/apps/files_reminders/l10n/ja.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "\"files_reminder\"アプリが正しく動作するには、通知アプリが必要です。通知を有効にするか、files_reminderを無効にしてください。",
"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}\"のリマインダーを設定",
- "Reminder at custom date & time" : "カスタム日時でのリマインダー",
- "Clear reminder" : "リマインダーをクリア",
"Please choose a valid date & time" : "有効な日付と時間を選択してください。",
"Reminder set for \"{fileName}\"" : "\"{fileName}\"のリマインダーを設定しました",
"Failed to set reminder" : "リマインダーの設定に失敗しました",
"Reminder cleared for \"{fileName}\"" : "\"{fileName}\"のリマインダーをクリアしました",
"Failed to clear reminder" : "リマインダーのクリアに失敗しました",
+ "Reminder at custom date & time" : "カスタム日時でのリマインダー",
"We will remind you of this file" : "このファイルをリマインドします",
"Cancel" : "キャンセル",
+ "Clear reminder" : "リマインダーをクリア",
"Set reminder" : "リマインダーを設定",
"Reminder set" : "リマインダーセット",
"Custom reminder" : "カスタムリマインダー",
@@ -31,6 +30,7 @@
"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を無効にしてください。",
+ "Set reminder for \"{fileName}\"" : "\"{fileName}\"のリマインダーを設定",
"Set reminder at custom date & time" : "カスタムした日付と時刻にリマインダーを設定",
"Set custom reminder" : "カスタムリマインダーを設定する"
},"pluralForm" :"nplurals=1; plural=0;"
diff --git a/apps/files_reminders/l10n/ko.js b/apps/files_reminders/l10n/ko.js
index a7efcbaee36c2..62e389bf8d15d 100644
--- a/apps/files_reminders/l10n/ko.js
+++ b/apps/files_reminders/l10n/ko.js
@@ -6,14 +6,13 @@ OC.L10N.register(
"View file" : "파일 보기",
"View folder" : "폴더 보기",
"Set file reminders" : "파일 알림 설정",
- "Set reminder for \"{fileName}\"" : "\"{fileName}\"에 대한 알림 지정",
- "Clear reminder" : "알림 초기화",
"Please choose a valid date & time" : "유효한 날짜와 시간을 지정하십시오",
"Reminder set for \"{fileName}\"" : "\"{fileName}\"에 대한 알림 목록",
"Failed to set reminder" : "알림을 설정할 수 없음",
"Failed to clear reminder" : "알림을 초기화할 수 없음",
"We will remind you of this file" : "이 파일에 대해 알림을 드립니다",
"Cancel" : "취소",
+ "Clear reminder" : "알림 초기화",
"Set reminder" : "알림 설정",
"Later today" : "오늘 늦게",
"Set reminder for later today" : "알림을 오늘 나중에 설정",
@@ -23,6 +22,7 @@ OC.L10N.register(
"Set reminder for this weekend" : "알림을 주말로 설정",
"Next week" : "다음주",
"Set reminder for next week" : "알림을 다음주로 설정",
+ "Set reminder for \"{fileName}\"" : "\"{fileName}\"에 대한 알림 지정",
"Set reminder at custom date & time" : "알림 날짜와 시간을 직접 지정",
"Set custom reminder" : "사용자 지정 알림 설정"
},
diff --git a/apps/files_reminders/l10n/ko.json b/apps/files_reminders/l10n/ko.json
index f7baea1e65589..09f9b3f0f8c8b 100644
--- a/apps/files_reminders/l10n/ko.json
+++ b/apps/files_reminders/l10n/ko.json
@@ -4,14 +4,13 @@
"View file" : "파일 보기",
"View folder" : "폴더 보기",
"Set file reminders" : "파일 알림 설정",
- "Set reminder for \"{fileName}\"" : "\"{fileName}\"에 대한 알림 지정",
- "Clear reminder" : "알림 초기화",
"Please choose a valid date & time" : "유효한 날짜와 시간을 지정하십시오",
"Reminder set for \"{fileName}\"" : "\"{fileName}\"에 대한 알림 목록",
"Failed to set reminder" : "알림을 설정할 수 없음",
"Failed to clear reminder" : "알림을 초기화할 수 없음",
"We will remind you of this file" : "이 파일에 대해 알림을 드립니다",
"Cancel" : "취소",
+ "Clear reminder" : "알림 초기화",
"Set reminder" : "알림 설정",
"Later today" : "오늘 늦게",
"Set reminder for later today" : "알림을 오늘 나중에 설정",
@@ -21,6 +20,7 @@
"Set reminder for this weekend" : "알림을 주말로 설정",
"Next week" : "다음주",
"Set reminder for next week" : "알림을 다음주로 설정",
+ "Set reminder for \"{fileName}\"" : "\"{fileName}\"에 대한 알림 지정",
"Set reminder at custom date & time" : "알림 날짜와 시간을 직접 지정",
"Set custom reminder" : "사용자 지정 알림 설정"
},"pluralForm" :"nplurals=1; plural=0;"
diff --git a/apps/files_reminders/l10n/lo.js b/apps/files_reminders/l10n/lo.js
index 208f7fb0d15e9..a30d621598c2c 100644
--- a/apps/files_reminders/l10n/lo.js
+++ b/apps/files_reminders/l10n/lo.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "ແອັບ \"files_reminders\" ຕ້ອງການແອັບແຈ້ງເຕືອນເພື່ອໃຫ້ເຮັດວຽກໄດ້ຢ່າງຖືກຕ້ອງ. ທ່ານຄວນເປີດໃຊ້ການແຈ້ງເຕືອນ ຫຼື ປິດໃຊ້ງານ files_reminder.",
"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}\"",
- "Reminder at custom date & time" : "ແຈ້ງເຕືອນໃນວັນທີ ແລະ ເວລາທີ່ກຳນົດເອງ",
- "Clear reminder" : "ລຶບການແຈ້ງເຕືອນ",
"Please choose a valid date & time" : "ກະລຸນາເລືອກວັນທີ ແລະ ເວລາທີ່ຖືກຕ້ອງ",
"Reminder set for \"{fileName}\"" : "ຕັ້ງການແຈ້ງເຕືອນສຳລັບ \"{fileName}\" ແລ້ວ",
"Failed to set reminder" : "ຕັ້ງການແຈ້ງເຕືອນບໍ່ສຳເລັດ",
"Reminder cleared for \"{fileName}\"" : "ລຶບການແຈ້ງເຕືອນສຳລັບ \"{fileName}\" ແລ້ວ",
"Failed to clear reminder" : "ລຶບການແຈ້ງເຕືອນບໍ່ສຳເລັດ",
+ "Reminder at custom date & time" : "ແຈ້ງເຕືອນໃນວັນທີ ແລະ ເວລາທີ່ກຳນົດເອງ",
"We will remind you of this file" : "ພວກເຮົາຈະແຈ້ງເຕືອນທ່ານກ່ຽວກັບໄຟລ໌ນີ້",
"Cancel" : "ຍົກເລີກ",
+ "Clear reminder" : "ລຶບການແຈ້ງເຕືອນ",
"Set reminder" : "ຕັ້ງການແຈ້ງເຕືອນ",
"Reminder set" : "ຕັ້ງການແຈ້ງເຕືອນແລ້ວ",
"Custom reminder" : "ການແຈ້ງເຕືອນທີ່ກຳນົດເອງ",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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.",
+ "Set reminder for \"{fileName}\"" : "ຕັ້ງການແຈ້ງເຕືອນສຳລັບ \"{fileName}\"",
"Set reminder at custom date & time" : "ຕັ້ງການແຈ້ງເຕືອນໃນວັນທີ ແລະ ເວລາທີ່ກຳນົດເອງ",
"Set custom reminder" : "ຕັ້ງການແຈ້ງເຕືອນທີ່ກຳນົດເອງ"
},
diff --git a/apps/files_reminders/l10n/lo.json b/apps/files_reminders/l10n/lo.json
index 6f5e4f283eb30..4c48aeb80d287 100644
--- a/apps/files_reminders/l10n/lo.json
+++ b/apps/files_reminders/l10n/lo.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "ແອັບ \"files_reminders\" ຕ້ອງການແອັບແຈ້ງເຕືອນເພື່ອໃຫ້ເຮັດວຽກໄດ້ຢ່າງຖືກຕ້ອງ. ທ່ານຄວນເປີດໃຊ້ການແຈ້ງເຕືອນ ຫຼື ປິດໃຊ້ງານ files_reminder.",
"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}\"",
- "Reminder at custom date & time" : "ແຈ້ງເຕືອນໃນວັນທີ ແລະ ເວລາທີ່ກຳນົດເອງ",
- "Clear reminder" : "ລຶບການແຈ້ງເຕືອນ",
"Please choose a valid date & time" : "ກະລຸນາເລືອກວັນທີ ແລະ ເວລາທີ່ຖືກຕ້ອງ",
"Reminder set for \"{fileName}\"" : "ຕັ້ງການແຈ້ງເຕືອນສຳລັບ \"{fileName}\" ແລ້ວ",
"Failed to set reminder" : "ຕັ້ງການແຈ້ງເຕືອນບໍ່ສຳເລັດ",
"Reminder cleared for \"{fileName}\"" : "ລຶບການແຈ້ງເຕືອນສຳລັບ \"{fileName}\" ແລ້ວ",
"Failed to clear reminder" : "ລຶບການແຈ້ງເຕືອນບໍ່ສຳເລັດ",
+ "Reminder at custom date & time" : "ແຈ້ງເຕືອນໃນວັນທີ ແລະ ເວລາທີ່ກຳນົດເອງ",
"We will remind you of this file" : "ພວກເຮົາຈະແຈ້ງເຕືອນທ່ານກ່ຽວກັບໄຟລ໌ນີ້",
"Cancel" : "ຍົກເລີກ",
+ "Clear reminder" : "ລຶບການແຈ້ງເຕືອນ",
"Set reminder" : "ຕັ້ງການແຈ້ງເຕືອນ",
"Reminder set" : "ຕັ້ງການແຈ້ງເຕືອນແລ້ວ",
"Custom reminder" : "ການແຈ້ງເຕືອນທີ່ກຳນົດເອງ",
@@ -31,6 +30,7 @@
"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.",
+ "Set reminder for \"{fileName}\"" : "ຕັ້ງການແຈ້ງເຕືອນສຳລັບ \"{fileName}\"",
"Set reminder at custom date & time" : "ຕັ້ງການແຈ້ງເຕືອນໃນວັນທີ ແລະ ເວລາທີ່ກຳນົດເອງ",
"Set custom reminder" : "ຕັ້ງການແຈ້ງເຕືອນທີ່ກຳນົດເອງ"
},"pluralForm" :"nplurals=1; plural=0;"
diff --git a/apps/files_reminders/l10n/lt_LT.js b/apps/files_reminders/l10n/lt_LT.js
index 69d97b6c96fcd..71d19ba077a86 100644
--- a/apps/files_reminders/l10n/lt_LT.js
+++ b/apps/files_reminders/l10n/lt_LT.js
@@ -6,8 +6,6 @@ OC.L10N.register(
"View file" : "Rodyti failą",
"View folder" : "Rodyti aplanką",
"Set file reminders" : "Nustatyti priminimus apie failus",
- "Set reminder for \"{fileName}\"" : "Nustatyti priminimą apie „{fileName}“",
- "Clear reminder" : "Panaikinti priminimą",
"Please choose a valid date & time" : "Pasirinkite tinkamą datą ir laiką",
"Reminder set for \"{fileName}\"" : "Nustatytas priminimas apie „{fileName}“",
"Failed to set reminder" : "Nepavyko nustatyti priminimo",
@@ -15,6 +13,7 @@ OC.L10N.register(
"Failed to clear reminder" : "Nepavyko panaikinti priminimo",
"We will remind you of this file" : "Jums bus priminta apie šį failą",
"Cancel" : "Atsisakyti",
+ "Clear reminder" : "Panaikinti priminimą",
"Set reminder" : "Nustatyti priminimą",
"Reminder set" : "Priminimas nustatytas",
"Later today" : "Šiandien vėliau",
@@ -25,6 +24,7 @@ OC.L10N.register(
"Set reminder for this weekend" : "Nustatyti priminimą šį savaitgalį",
"Next week" : "Kitą savaitę",
"Set reminder for next week" : "Nustatyti priminimą kitą savaitę",
+ "Set reminder for \"{fileName}\"" : "Nustatyti priminimą apie „{fileName}“",
"Set reminder at custom date & time" : "Nustatyti priminimą tinkintą datą ir laiką",
"Set custom reminder" : "Nustatyti tinkintą priminimą"
},
diff --git a/apps/files_reminders/l10n/lt_LT.json b/apps/files_reminders/l10n/lt_LT.json
index 912fa2d31b240..aac9d9360f549 100644
--- a/apps/files_reminders/l10n/lt_LT.json
+++ b/apps/files_reminders/l10n/lt_LT.json
@@ -4,8 +4,6 @@
"View file" : "Rodyti failą",
"View folder" : "Rodyti aplanką",
"Set file reminders" : "Nustatyti priminimus apie failus",
- "Set reminder for \"{fileName}\"" : "Nustatyti priminimą apie „{fileName}“",
- "Clear reminder" : "Panaikinti priminimą",
"Please choose a valid date & time" : "Pasirinkite tinkamą datą ir laiką",
"Reminder set for \"{fileName}\"" : "Nustatytas priminimas apie „{fileName}“",
"Failed to set reminder" : "Nepavyko nustatyti priminimo",
@@ -13,6 +11,7 @@
"Failed to clear reminder" : "Nepavyko panaikinti priminimo",
"We will remind you of this file" : "Jums bus priminta apie šį failą",
"Cancel" : "Atsisakyti",
+ "Clear reminder" : "Panaikinti priminimą",
"Set reminder" : "Nustatyti priminimą",
"Reminder set" : "Priminimas nustatytas",
"Later today" : "Šiandien vėliau",
@@ -23,6 +22,7 @@
"Set reminder for this weekend" : "Nustatyti priminimą šį savaitgalį",
"Next week" : "Kitą savaitę",
"Set reminder for next week" : "Nustatyti priminimą kitą savaitę",
+ "Set reminder for \"{fileName}\"" : "Nustatyti priminimą apie „{fileName}“",
"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);"
diff --git a/apps/files_reminders/l10n/mk.js b/apps/files_reminders/l10n/mk.js
index 04ddd3af48540..cee7664ed2746 100644
--- a/apps/files_reminders/l10n/mk.js
+++ b/apps/files_reminders/l10n/mk.js
@@ -6,13 +6,12 @@ OC.L10N.register(
"View file" : "Види датотека",
"View folder" : "Види папка",
"Set file reminders" : "Постави потсетник на датотека",
- "Set reminder for \"{fileName}\"" : "Постави потсетник за \"{fileName}\"",
- "Clear reminder" : "Отстрани потсетник",
"Please choose a valid date & time" : "Внесете валиден датум & време",
"Reminder set for \"{fileName}\"" : "Поставен потсетник за \"{fileName}\"",
"Failed to set reminder" : "Неуспешно поставување на потсетник",
"Failed to clear reminder" : "Неуспешно остранување на потсетник",
"Cancel" : "Откажи",
+ "Clear reminder" : "Отстрани потсетник",
"Set reminder" : "Постави потсетник",
"Later today" : "Денес покасно",
"Set reminder for later today" : "Постави потсетник за денес покасно",
@@ -22,6 +21,7 @@ OC.L10N.register(
"Set reminder for this weekend" : "Постави потсетник за овој викенд",
"Next week" : "Следна недела",
"Set reminder for next week" : "Постави потсетник за наредната недела",
+ "Set reminder for \"{fileName}\"" : "Постави потсетник за \"{fileName}\"",
"Set reminder at custom date & time" : "Постави потсетник на прилагоден датум & време",
"Set custom reminder" : "Постави прилагоден потсетник"
},
diff --git a/apps/files_reminders/l10n/mk.json b/apps/files_reminders/l10n/mk.json
index 29f537112617d..cbba0d8f9b0c5 100644
--- a/apps/files_reminders/l10n/mk.json
+++ b/apps/files_reminders/l10n/mk.json
@@ -4,13 +4,12 @@
"View file" : "Види датотека",
"View folder" : "Види папка",
"Set file reminders" : "Постави потсетник на датотека",
- "Set reminder for \"{fileName}\"" : "Постави потсетник за \"{fileName}\"",
- "Clear reminder" : "Отстрани потсетник",
"Please choose a valid date & time" : "Внесете валиден датум & време",
"Reminder set for \"{fileName}\"" : "Поставен потсетник за \"{fileName}\"",
"Failed to set reminder" : "Неуспешно поставување на потсетник",
"Failed to clear reminder" : "Неуспешно остранување на потсетник",
"Cancel" : "Откажи",
+ "Clear reminder" : "Отстрани потсетник",
"Set reminder" : "Постави потсетник",
"Later today" : "Денес покасно",
"Set reminder for later today" : "Постави потсетник за денес покасно",
@@ -20,6 +19,7 @@
"Set reminder for this weekend" : "Постави потсетник за овој викенд",
"Next week" : "Следна недела",
"Set reminder for next week" : "Постави потсетник за наредната недела",
+ "Set reminder for \"{fileName}\"" : "Постави потсетник за \"{fileName}\"",
"Set reminder at custom date & time" : "Постави потсетник на прилагоден датум & време",
"Set custom reminder" : "Постави прилагоден потсетник"
},"pluralForm" :"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;"
diff --git a/apps/files_reminders/l10n/nb.js b/apps/files_reminders/l10n/nb.js
index 13c42a535d179..0dc37bc969ed6 100644
--- a/apps/files_reminders/l10n/nb.js
+++ b/apps/files_reminders/l10n/nb.js
@@ -6,8 +6,6 @@ OC.L10N.register(
"View file" : "Vis fil",
"View folder" : "Vis mappe",
"Set file reminders" : "Angi filpåminnelser",
- "Set reminder for \"{fileName}\"" : "Angi påminnelse for \"{fileName}\"",
- "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}»",
"Failed to set reminder" : "Kunne ikke angi påminnelse",
@@ -15,6 +13,7 @@ OC.L10N.register(
"Failed to clear reminder" : "Kunne ikke fjerne påminnelsen",
"We will remind you of this file" : "Vi minner deg på denne filen",
"Cancel" : "Avbryt",
+ "Clear reminder" : "Tydelig påminnelse",
"Set reminder" : "Angi påminnelse",
"Reminder set" : "Påminnelse angitt",
"Later today" : "Senere i dag",
@@ -25,6 +24,7 @@ OC.L10N.register(
"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 \"{fileName}\"" : "Angi påminnelse for \"{fileName}\"",
"Set reminder at custom date & time" : "Still inn påminnelse til egendefinert dato og klokkeslett",
"Set custom reminder" : "Angi egendefinert påminnelse"
},
diff --git a/apps/files_reminders/l10n/nb.json b/apps/files_reminders/l10n/nb.json
index b6e7dbae2c8e6..88a2fcab642d9 100644
--- a/apps/files_reminders/l10n/nb.json
+++ b/apps/files_reminders/l10n/nb.json
@@ -4,8 +4,6 @@
"View file" : "Vis fil",
"View folder" : "Vis mappe",
"Set file reminders" : "Angi filpåminnelser",
- "Set reminder for \"{fileName}\"" : "Angi påminnelse for \"{fileName}\"",
- "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}»",
"Failed to set reminder" : "Kunne ikke angi påminnelse",
@@ -13,6 +11,7 @@
"Failed to clear reminder" : "Kunne ikke fjerne påminnelsen",
"We will remind you of this file" : "Vi minner deg på denne filen",
"Cancel" : "Avbryt",
+ "Clear reminder" : "Tydelig påminnelse",
"Set reminder" : "Angi påminnelse",
"Reminder set" : "Påminnelse angitt",
"Later today" : "Senere i dag",
@@ -23,6 +22,7 @@
"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 \"{fileName}\"" : "Angi påminnelse for \"{fileName}\"",
"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);"
diff --git a/apps/files_reminders/l10n/pl.js b/apps/files_reminders/l10n/pl.js
index 133c909501615..d5c4386523ac6 100644
--- a/apps/files_reminders/l10n/pl.js
+++ b/apps/files_reminders/l10n/pl.js
@@ -6,14 +6,13 @@ OC.L10N.register(
"View file" : "Zobacz plik",
"View folder" : "Wyświetl katalog",
"Set file reminders" : "Ustaw przypomnienia o plikach",
- "Set reminder for \"{fileName}\"" : "Ustaw przypomnienie dla \"{fileName}\"",
- "Clear reminder" : "Wyczyść przypomnienie",
"Please choose a valid date & time" : "Wybierz prawidłową datę i godzinę",
"Reminder set for \"{fileName}\"" : "Przypomnienie ustawione dla \"{fileName}\"",
"Failed to set reminder" : "Nie udało się ustawić przypomnienia",
"Failed to clear reminder" : "Nie udało się wyczyścić przypomnienia",
"We will remind you of this file" : "Przypomnimy Tobie o tym pliku",
"Cancel" : "Anuluj",
+ "Clear reminder" : "Wyczyść przypomnienie",
"Set reminder" : "Ustaw przypomnienie",
"Later today" : "Później dzisiaj",
"Set reminder for later today" : "Ustaw przypomnienie na dzisiaj na późniejszy czas",
@@ -23,6 +22,7 @@ OC.L10N.register(
"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 \"{fileName}\"" : "Ustaw przypomnienie dla \"{fileName}\"",
"Set reminder at custom date & time" : "Ustaw przypomnienie o własnej dacie i godzinie",
"Set custom reminder" : "Ustaw niestandardowe przypomnienie"
},
diff --git a/apps/files_reminders/l10n/pl.json b/apps/files_reminders/l10n/pl.json
index 1cc94af73b80f..e2fa2c04c26f8 100644
--- a/apps/files_reminders/l10n/pl.json
+++ b/apps/files_reminders/l10n/pl.json
@@ -4,14 +4,13 @@
"View file" : "Zobacz plik",
"View folder" : "Wyświetl katalog",
"Set file reminders" : "Ustaw przypomnienia o plikach",
- "Set reminder for \"{fileName}\"" : "Ustaw przypomnienie dla \"{fileName}\"",
- "Clear reminder" : "Wyczyść przypomnienie",
"Please choose a valid date & time" : "Wybierz prawidłową datę i godzinę",
"Reminder set for \"{fileName}\"" : "Przypomnienie ustawione dla \"{fileName}\"",
"Failed to set reminder" : "Nie udało się ustawić przypomnienia",
"Failed to clear reminder" : "Nie udało się wyczyścić przypomnienia",
"We will remind you of this file" : "Przypomnimy Tobie o tym pliku",
"Cancel" : "Anuluj",
+ "Clear reminder" : "Wyczyść przypomnienie",
"Set reminder" : "Ustaw przypomnienie",
"Later today" : "Później dzisiaj",
"Set reminder for later today" : "Ustaw przypomnienie na dzisiaj na późniejszy czas",
@@ -21,6 +20,7 @@
"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 \"{fileName}\"" : "Ustaw przypomnienie dla \"{fileName}\"",
"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);"
diff --git a/apps/files_reminders/l10n/pt_BR.js b/apps/files_reminders/l10n/pt_BR.js
index 3ed3e3e294928..aeeaf788f81ba 100644
--- a/apps/files_reminders/l10n/pt_BR.js
+++ b/apps/files_reminders/l10n/pt_BR.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "O aplicativo \"files_reminders\" precisa do aplicativo de notificações para funcionar corretamente. Você deve ativar notificações ou desativar o files_reminder.",
"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}\"",
- "Reminder at custom date & time" : "Lembrete em data e hora personalizadas",
- "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}\"",
"Failed to set reminder" : "Falha ao definir lembrete",
"Reminder cleared for \"{fileName}\"" : "Lembrete removido para \"{fileName}\"",
"Failed to clear reminder" : "Falha ao remover lembrete",
+ "Reminder at custom date & time" : "Lembrete em data e hora personalizadas",
"We will remind you of this file" : "Lembraremos você desse arquivo",
"Cancel" : "Cancelar",
+ "Clear reminder" : "Limpar lembrete",
"Set reminder" : "Definir lembrete",
"Reminder set" : "Lembrete definido",
"Custom reminder" : "Lembrete personalizado",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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.",
+ "Set reminder for \"{fileName}\"" : "Definir lembrete para \"{fileName}\"",
"Set reminder at custom date & time" : "Definir lembrete em data & hora customizada",
"Set custom reminder" : "Definir lembrete personalizado"
},
diff --git a/apps/files_reminders/l10n/pt_BR.json b/apps/files_reminders/l10n/pt_BR.json
index e5be7701fae7c..8d2795b484d51 100644
--- a/apps/files_reminders/l10n/pt_BR.json
+++ b/apps/files_reminders/l10n/pt_BR.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "O aplicativo \"files_reminders\" precisa do aplicativo de notificações para funcionar corretamente. Você deve ativar notificações ou desativar o files_reminder.",
"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}\"",
- "Reminder at custom date & time" : "Lembrete em data e hora personalizadas",
- "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}\"",
"Failed to set reminder" : "Falha ao definir lembrete",
"Reminder cleared for \"{fileName}\"" : "Lembrete removido para \"{fileName}\"",
"Failed to clear reminder" : "Falha ao remover lembrete",
+ "Reminder at custom date & time" : "Lembrete em data e hora personalizadas",
"We will remind you of this file" : "Lembraremos você desse arquivo",
"Cancel" : "Cancelar",
+ "Clear reminder" : "Limpar lembrete",
"Set reminder" : "Definir lembrete",
"Reminder set" : "Lembrete definido",
"Custom reminder" : "Lembrete personalizado",
@@ -31,6 +30,7 @@
"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.",
+ "Set reminder for \"{fileName}\"" : "Definir lembrete para \"{fileName}\"",
"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;"
diff --git a/apps/files_reminders/l10n/ro.js b/apps/files_reminders/l10n/ro.js
index 016c87ca66f7a..a56df2bfd773c 100644
--- a/apps/files_reminders/l10n/ro.js
+++ b/apps/files_reminders/l10n/ro.js
@@ -6,14 +6,13 @@ OC.L10N.register(
"View file" : "Vezi fișierul",
"View folder" : "Vezi dosarul",
"Set file reminders" : "Setează memo pentru fișier",
- "Set reminder for \"{fileName}\"" : "Setează memento pentru \"{fileName}\"",
- "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}\"",
"Failed to set reminder" : "Eroare la setarea mementoului",
"Failed to clear reminder" : "Eroare la ștergerea mementoului",
"We will remind you of this file" : "Vă vom reaminti despre acest fișier",
"Cancel" : "Anulare",
+ "Clear reminder" : "Șterge memento",
"Set reminder" : "Setează memo",
"Later today" : "Mai târziu în cursul zilei",
"Set reminder for later today" : "Setează memo pentru azi, mai târziu",
@@ -23,6 +22,7 @@ OC.L10N.register(
"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 \"{fileName}\"" : "Setează memento pentru \"{fileName}\"",
"Set reminder at custom date & time" : "Setează memento la o dată și oră particulare",
"Set custom reminder" : "Setează memento particular"
},
diff --git a/apps/files_reminders/l10n/ro.json b/apps/files_reminders/l10n/ro.json
index 9d0b51fbaa603..062d937216182 100644
--- a/apps/files_reminders/l10n/ro.json
+++ b/apps/files_reminders/l10n/ro.json
@@ -4,14 +4,13 @@
"View file" : "Vezi fișierul",
"View folder" : "Vezi dosarul",
"Set file reminders" : "Setează memo pentru fișier",
- "Set reminder for \"{fileName}\"" : "Setează memento pentru \"{fileName}\"",
- "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}\"",
"Failed to set reminder" : "Eroare la setarea mementoului",
"Failed to clear reminder" : "Eroare la ștergerea mementoului",
"We will remind you of this file" : "Vă vom reaminti despre acest fișier",
"Cancel" : "Anulare",
+ "Clear reminder" : "Șterge memento",
"Set reminder" : "Setează memo",
"Later today" : "Mai târziu în cursul zilei",
"Set reminder for later today" : "Setează memo pentru azi, mai târziu",
@@ -21,6 +20,7 @@
"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 \"{fileName}\"" : "Setează memento pentru \"{fileName}\"",
"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));"
diff --git a/apps/files_reminders/l10n/ru.js b/apps/files_reminders/l10n/ru.js
index b8d412e8bebab..580b117829b63 100644
--- a/apps/files_reminders/l10n/ru.js
+++ b/apps/files_reminders/l10n/ru.js
@@ -7,16 +7,15 @@ OC.L10N.register(
"View folder" : "Просмотреть папку",
"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}\"",
- "Reminder at custom date & time" : "Напоминание в указанную дату и время",
- "Clear reminder" : "Очистить напоминание",
"Please choose a valid date & time" : "Пожалуйста, выберите правильную дату и время",
"Reminder set for \"{fileName}\"" : "Напоминание для \"{fileName}\"",
"Failed to set reminder" : "Не удалось установить напоминание",
"Reminder cleared for \"{fileName}\"" : "Напоминание очищено для \"{fileName}\"",
"Failed to clear reminder" : "Не удалось удалить напоминание",
+ "Reminder at custom date & time" : "Напоминание в указанную дату и время",
"We will remind you of this file" : "Мы напомним вам об этом файле",
"Cancel" : "Отмена",
+ "Clear reminder" : "Очистить напоминание",
"Set reminder" : "Установить напоминание",
"Reminder set" : "Установить напоминание",
"Custom reminder" : "Пользовательское напоминание",
@@ -28,6 +27,7 @@ OC.L10N.register(
"Set reminder for this weekend" : "Установить напоминание на эти выходные",
"Next week" : "Следующая неделя",
"Set reminder for next week" : "Установить напоминание на следующую неделю",
+ "Set reminder for \"{fileName}\"" : "Установить напоминание для \"{fileName}\"",
"Set reminder at custom date & time" : "Установить напоминание на индивидуальную дату и время",
"Set custom reminder" : "Установить особое напоминание"
},
diff --git a/apps/files_reminders/l10n/ru.json b/apps/files_reminders/l10n/ru.json
index 1546424c0f0e4..fea2e871a62da 100644
--- a/apps/files_reminders/l10n/ru.json
+++ b/apps/files_reminders/l10n/ru.json
@@ -5,16 +5,15 @@
"View folder" : "Просмотреть папку",
"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}\"",
- "Reminder at custom date & time" : "Напоминание в указанную дату и время",
- "Clear reminder" : "Очистить напоминание",
"Please choose a valid date & time" : "Пожалуйста, выберите правильную дату и время",
"Reminder set for \"{fileName}\"" : "Напоминание для \"{fileName}\"",
"Failed to set reminder" : "Не удалось установить напоминание",
"Reminder cleared for \"{fileName}\"" : "Напоминание очищено для \"{fileName}\"",
"Failed to clear reminder" : "Не удалось удалить напоминание",
+ "Reminder at custom date & time" : "Напоминание в указанную дату и время",
"We will remind you of this file" : "Мы напомним вам об этом файле",
"Cancel" : "Отмена",
+ "Clear reminder" : "Очистить напоминание",
"Set reminder" : "Установить напоминание",
"Reminder set" : "Установить напоминание",
"Custom reminder" : "Пользовательское напоминание",
@@ -26,6 +25,7 @@
"Set reminder for this weekend" : "Установить напоминание на эти выходные",
"Next week" : "Следующая неделя",
"Set reminder for next week" : "Установить напоминание на следующую неделю",
+ "Set reminder for \"{fileName}\"" : "Установить напоминание для \"{fileName}\"",
"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);"
diff --git a/apps/files_reminders/l10n/sk.js b/apps/files_reminders/l10n/sk.js
index 5adaedefa1549..9ec6ef52999be 100644
--- a/apps/files_reminders/l10n/sk.js
+++ b/apps/files_reminders/l10n/sk.js
@@ -7,8 +7,6 @@ OC.L10N.register(
"View folder" : "Zobraziť adresár",
"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}\"",
- "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}\"",
"Failed to set reminder" : "Nepodarilo sa nastavit pripomienku",
@@ -16,6 +14,7 @@ OC.L10N.register(
"Failed to clear reminder" : "Nepodarilo sa odstrániť pripomienku",
"We will remind you of this file" : "Pripomenieme vám tento súbor",
"Cancel" : "Zrušiť",
+ "Clear reminder" : "Vymazať pripomienku",
"Set reminder" : "Nastaviť pripomienku",
"Reminder set" : "Pripomienka bola nastavená",
"Later today" : "Neskôr dnes",
@@ -26,6 +25,7 @@ OC.L10N.register(
"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 \"{fileName}\"" : "Nastaviť pripomienku pre \"{fileName}\"",
"Set reminder at custom date & time" : "Nastaviť pripomienku na vlastn dátum a čas",
"Set custom reminder" : "Nastaviť vlastnú pripomienku"
},
diff --git a/apps/files_reminders/l10n/sk.json b/apps/files_reminders/l10n/sk.json
index c048fbfc05004..05a8f9173bc54 100644
--- a/apps/files_reminders/l10n/sk.json
+++ b/apps/files_reminders/l10n/sk.json
@@ -5,8 +5,6 @@
"View folder" : "Zobraziť adresár",
"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}\"",
- "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}\"",
"Failed to set reminder" : "Nepodarilo sa nastavit pripomienku",
@@ -14,6 +12,7 @@
"Failed to clear reminder" : "Nepodarilo sa odstrániť pripomienku",
"We will remind you of this file" : "Pripomenieme vám tento súbor",
"Cancel" : "Zrušiť",
+ "Clear reminder" : "Vymazať pripomienku",
"Set reminder" : "Nastaviť pripomienku",
"Reminder set" : "Pripomienka bola nastavená",
"Later today" : "Neskôr dnes",
@@ -24,6 +23,7 @@
"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 \"{fileName}\"" : "Nastaviť pripomienku pre \"{fileName}\"",
"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);"
diff --git a/apps/files_reminders/l10n/sr.js b/apps/files_reminders/l10n/sr.js
index 418f7ac8c3767..7361b0272998f 100644
--- a/apps/files_reminders/l10n/sr.js
+++ b/apps/files_reminders/l10n/sr.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Да би „files_reminder” апликација радила како треба, потребна је апликација обавештења. Требало би или да укључите обавештења, или да искључите files_reminder.",
"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}”",
- "Reminder at custom date & time" : "Подсетник на произвољни датум и време",
- "Clear reminder" : "Обриши подсетник",
"Please choose a valid date & time" : "Молимо вас да изаберете исправни датум и време",
"Reminder set for \"{fileName}\"" : "Подсетник је постављен за „{fileName}”",
"Failed to set reminder" : "Није успело постављање подсетника",
"Reminder cleared for \"{fileName}\"" : "Уклоњен је подсетник за „{fileName}”",
"Failed to clear reminder" : "Није успело брисање подсетника",
+ "Reminder at custom date & time" : "Подсетник на произвољни датум и време",
"We will remind you of this file" : "Подсетићемо вас на овај фајл",
"Cancel" : "Откажи",
+ "Clear reminder" : "Обриши подсетник",
"Set reminder" : "Постави подсетник",
"Reminder set" : "Подсетник је постављен",
"Custom reminder" : "Произвољни подсетник",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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.",
+ "Set reminder for \"{fileName}\"" : "Постави подсетник за „{fileName}”",
"Set reminder at custom date & time" : "Постави подсетник на произвољни датум и време",
"Set custom reminder" : "Постави произвољни подсетник"
},
diff --git a/apps/files_reminders/l10n/sr.json b/apps/files_reminders/l10n/sr.json
index e4e0e69a95e6a..b838a1926b890 100644
--- a/apps/files_reminders/l10n/sr.json
+++ b/apps/files_reminders/l10n/sr.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Да би „files_reminder” апликација радила како треба, потребна је апликација обавештења. Требало би или да укључите обавештења, или да искључите files_reminder.",
"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}”",
- "Reminder at custom date & time" : "Подсетник на произвољни датум и време",
- "Clear reminder" : "Обриши подсетник",
"Please choose a valid date & time" : "Молимо вас да изаберете исправни датум и време",
"Reminder set for \"{fileName}\"" : "Подсетник је постављен за „{fileName}”",
"Failed to set reminder" : "Није успело постављање подсетника",
"Reminder cleared for \"{fileName}\"" : "Уклоњен је подсетник за „{fileName}”",
"Failed to clear reminder" : "Није успело брисање подсетника",
+ "Reminder at custom date & time" : "Подсетник на произвољни датум и време",
"We will remind you of this file" : "Подсетићемо вас на овај фајл",
"Cancel" : "Откажи",
+ "Clear reminder" : "Обриши подсетник",
"Set reminder" : "Постави подсетник",
"Reminder set" : "Подсетник је постављен",
"Custom reminder" : "Произвољни подсетник",
@@ -31,6 +30,7 @@
"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.",
+ "Set reminder for \"{fileName}\"" : "Постави подсетник за „{fileName}”",
"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);"
diff --git a/apps/files_reminders/l10n/sv.js b/apps/files_reminders/l10n/sv.js
index 24c36b1f24ec0..4cc65cd54f209 100644
--- a/apps/files_reminders/l10n/sv.js
+++ b/apps/files_reminders/l10n/sv.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Appen \"files_reminders\" behöver notification appen för att fungera korrekt. Du bör antingen aktivera aviseringar eller inaktivera files_reminder.",
"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}\"",
- "Reminder at custom date & time" : "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}\"",
"Failed to set reminder" : "Kunde inte ställa in påminnelsen",
"Reminder cleared for \"{fileName}\"" : "Påminnelse borttagen för \"{fileName}\"",
"Failed to clear reminder" : "Kunde inte rensa påminnelsen",
+ "Reminder at custom date & time" : "Påminnelse vid anpassat datum och tid",
"We will remind you of this file" : "Vi kommer att påminna dig om denna fil",
"Cancel" : "Avbryt",
+ "Clear reminder" : "Rensa påminnelse",
"Set reminder" : "Ställ in påminnelse",
"Reminder set" : "Påminnelse inställd",
"Custom reminder" : "Anpassad påminnelse",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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.",
+ "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",
"Set custom reminder" : "Ställ in anpassad påminnelse"
},
diff --git a/apps/files_reminders/l10n/sv.json b/apps/files_reminders/l10n/sv.json
index b4ecccb9eb4ed..dcc45b5effebf 100644
--- a/apps/files_reminders/l10n/sv.json
+++ b/apps/files_reminders/l10n/sv.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Appen \"files_reminders\" behöver notification appen för att fungera korrekt. Du bör antingen aktivera aviseringar eller inaktivera files_reminder.",
"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}\"",
- "Reminder at custom date & time" : "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}\"",
"Failed to set reminder" : "Kunde inte ställa in påminnelsen",
"Reminder cleared for \"{fileName}\"" : "Påminnelse borttagen för \"{fileName}\"",
"Failed to clear reminder" : "Kunde inte rensa påminnelsen",
+ "Reminder at custom date & time" : "Påminnelse vid anpassat datum och tid",
"We will remind you of this file" : "Vi kommer att påminna dig om denna fil",
"Cancel" : "Avbryt",
+ "Clear reminder" : "Rensa påminnelse",
"Set reminder" : "Ställ in påminnelse",
"Reminder set" : "Påminnelse inställd",
"Custom reminder" : "Anpassad påminnelse",
@@ -31,6 +30,7 @@
"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.",
+ "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",
"Set custom reminder" : "Ställ in anpassad påminnelse"
},"pluralForm" :"nplurals=2; plural=(n != 1);"
diff --git a/apps/files_reminders/l10n/sw.js b/apps/files_reminders/l10n/sw.js
index f908d82c9671c..5c381c11ce54b 100644
--- a/apps/files_reminders/l10n/sw.js
+++ b/apps/files_reminders/l10n/sw.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Programu ya \"files_reminders\" inahitaji programu ya arifa kufanya kazi ipasavyo. Unapaswa kuwezesha arifa au kuzima kikumbusho cha faili.",
"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}\"",
- "Reminder at custom date & time" : "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}\"",
"Failed to set reminder" : "Imeshindwa kuweka kikumbusho",
"Reminder cleared for \"{fileName}\"" : "Kikumbusho kimefutwa kwa \"{fileName}\"",
"Failed to clear reminder" : "Imeshindwa kufuta kikumbusho",
+ "Reminder at custom date & time" : "Kikumbusho kwa tarehe na saa maalum",
"We will remind you of this file" : "Tutakukumbusha kuhusu faili hii",
"Cancel" : "Ghairi",
+ "Clear reminder" : "Futa kikumbusho ",
"Set reminder" : "Weka ukumbusho",
"Reminder set" : " Kikumbusho kimewekwa",
"Custom reminder" : "Kikumbusho maalum",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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",
+ "Set reminder for \"{fileName}\"" : "Weka kikumbusho kwa \"{fileName}\"",
"Set reminder at custom date & time" : "Weka kikumbusho kwa tarehe na saa maalum",
"Set custom reminder" : " Weka kikumbusho maalum"
},
diff --git a/apps/files_reminders/l10n/sw.json b/apps/files_reminders/l10n/sw.json
index e5172e45bdce5..78f9cf1a8c062 100644
--- a/apps/files_reminders/l10n/sw.json
+++ b/apps/files_reminders/l10n/sw.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Programu ya \"files_reminders\" inahitaji programu ya arifa kufanya kazi ipasavyo. Unapaswa kuwezesha arifa au kuzima kikumbusho cha faili.",
"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}\"",
- "Reminder at custom date & time" : "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}\"",
"Failed to set reminder" : "Imeshindwa kuweka kikumbusho",
"Reminder cleared for \"{fileName}\"" : "Kikumbusho kimefutwa kwa \"{fileName}\"",
"Failed to clear reminder" : "Imeshindwa kufuta kikumbusho",
+ "Reminder at custom date & time" : "Kikumbusho kwa tarehe na saa maalum",
"We will remind you of this file" : "Tutakukumbusha kuhusu faili hii",
"Cancel" : "Ghairi",
+ "Clear reminder" : "Futa kikumbusho ",
"Set reminder" : "Weka ukumbusho",
"Reminder set" : " Kikumbusho kimewekwa",
"Custom reminder" : "Kikumbusho maalum",
@@ -31,6 +30,7 @@
"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",
+ "Set reminder for \"{fileName}\"" : "Weka kikumbusho kwa \"{fileName}\"",
"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);"
diff --git a/apps/files_reminders/l10n/tr.js b/apps/files_reminders/l10n/tr.js
index 5e94237feb296..c83f409a12ad5 100644
--- a/apps/files_reminders/l10n/tr.js
+++ b/apps/files_reminders/l10n/tr.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" 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 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",
- "Reminder at custom date & time" : "Özel bir tarih ve saat için anımsatıcı",
- "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ı",
"Failed to set reminder" : "Anımsatıcı ayarlanamadı",
"Reminder cleared for \"{fileName}\"" : "\"{fileName}\" anımsatıcısı kaldırıldı",
"Failed to clear reminder" : "Anımsatıcı temizlenemedi",
+ "Reminder at custom date & time" : "Özel bir tarih ve saat için anımsatıcı",
"We will remind you of this file" : "Size bu dosyayı anımsatacağız",
"Cancel" : "İptal",
+ "Clear reminder" : "Anımsatıcıyı temizle",
"Set reminder" : "Anımsatıcı ayarla",
"Reminder set" : "Anımsatıcı ayarlandı",
"Custom reminder" : "Özel anımsatıcı",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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.",
+ "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",
"Set custom reminder" : "Özel anımsatıcı ayarla"
},
diff --git a/apps/files_reminders/l10n/tr.json b/apps/files_reminders/l10n/tr.json
index cbd660b304f60..c3d62594c801f 100644
--- a/apps/files_reminders/l10n/tr.json
+++ b/apps/files_reminders/l10n/tr.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" 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 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",
- "Reminder at custom date & time" : "Özel bir tarih ve saat için anımsatıcı",
- "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ı",
"Failed to set reminder" : "Anımsatıcı ayarlanamadı",
"Reminder cleared for \"{fileName}\"" : "\"{fileName}\" anımsatıcısı kaldırıldı",
"Failed to clear reminder" : "Anımsatıcı temizlenemedi",
+ "Reminder at custom date & time" : "Özel bir tarih ve saat için anımsatıcı",
"We will remind you of this file" : "Size bu dosyayı anımsatacağız",
"Cancel" : "İptal",
+ "Clear reminder" : "Anımsatıcıyı temizle",
"Set reminder" : "Anımsatıcı ayarla",
"Reminder set" : "Anımsatıcı ayarlandı",
"Custom reminder" : "Özel anımsatıcı",
@@ -31,6 +30,7 @@
"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.",
+ "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",
"Set custom reminder" : "Özel anımsatıcı ayarla"
},"pluralForm" :"nplurals=2; plural=(n > 1);"
diff --git a/apps/files_reminders/l10n/ug.js b/apps/files_reminders/l10n/ug.js
index d935642a69dfd..7f5b2ee3578b6 100644
--- a/apps/files_reminders/l10n/ug.js
+++ b/apps/files_reminders/l10n/ug.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "«files_reminders» ئەپنىڭ نورمال ئىشلىشى ئۈچۈن ئۇقتۇرۇش ئەپ بولۇشى كېرەك. سىز ئۇقتۇرۇشلارنى قوزغىتىشىڭىز ياكى files_reminder نى چەكلەشىڭىز كېرەك.",
"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}\" ئۈچۈن ئەسكەرتىش بەلگىلەڭ",
- "Reminder at custom date & time" : "خالىغان چېسلا & ۋاقىتتا ئەسكە سال",
- "Clear reminder" : "ئەسكەرتىش",
"Please choose a valid date & time" : "ئىناۋەتلىك چېسلا ۋە ۋاقىتنى تاللاڭ",
"Reminder set for \"{fileName}\"" : "\"{fileName}\" ئۈچۈن ئەسكەرتىش",
"Failed to set reminder" : "ئەسكەرتىش بەلگىلەش مەغلۇب بولدى",
"Reminder cleared for \"{fileName}\"" : "ئەسكەرتىش \"{fileName}\" ئۈچۈن تازىلاندى",
"Failed to clear reminder" : "ئەسكەرتىشنى تازىلاش مەغلۇب بولدى",
+ "Reminder at custom date & time" : "خالىغان چېسلا & ۋاقىتتا ئەسكە سال",
"We will remind you of this file" : "بۇ ھۆججەتنى ئەسكەرتىمىز",
"Cancel" : "بىكار قىلىش",
+ "Clear reminder" : "ئەسكەرتىش",
"Set reminder" : "ئەسكەرتىش بەلگىلەڭ",
"Reminder set" : "ئەسكەرتىش",
"Custom reminder" : "ئىختىيارى ئەسلەتكۈ",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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 نى چەكلىشىڭىز كېرەك.",
+ "Set reminder for \"{fileName}\"" : "\"{fileName}\" ئۈچۈن ئەسكەرتىش بەلگىلەڭ",
"Set reminder at custom date & time" : "ئىختىيارى چېسلا ۋە ۋاقىتتا ئەسكەرتىش بەلگىلەڭ",
"Set custom reminder" : "ئىختىيارى ئەسكەرتىش بەلگىلەڭ"
},
diff --git a/apps/files_reminders/l10n/ug.json b/apps/files_reminders/l10n/ug.json
index 5a3e493bbe7f6..4aa0a80033c35 100644
--- a/apps/files_reminders/l10n/ug.json
+++ b/apps/files_reminders/l10n/ug.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "«files_reminders» ئەپنىڭ نورمال ئىشلىشى ئۈچۈن ئۇقتۇرۇش ئەپ بولۇشى كېرەك. سىز ئۇقتۇرۇشلارنى قوزغىتىشىڭىز ياكى files_reminder نى چەكلەشىڭىز كېرەك.",
"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}\" ئۈچۈن ئەسكەرتىش بەلگىلەڭ",
- "Reminder at custom date & time" : "خالىغان چېسلا & ۋاقىتتا ئەسكە سال",
- "Clear reminder" : "ئەسكەرتىش",
"Please choose a valid date & time" : "ئىناۋەتلىك چېسلا ۋە ۋاقىتنى تاللاڭ",
"Reminder set for \"{fileName}\"" : "\"{fileName}\" ئۈچۈن ئەسكەرتىش",
"Failed to set reminder" : "ئەسكەرتىش بەلگىلەش مەغلۇب بولدى",
"Reminder cleared for \"{fileName}\"" : "ئەسكەرتىش \"{fileName}\" ئۈچۈن تازىلاندى",
"Failed to clear reminder" : "ئەسكەرتىشنى تازىلاش مەغلۇب بولدى",
+ "Reminder at custom date & time" : "خالىغان چېسلا & ۋاقىتتا ئەسكە سال",
"We will remind you of this file" : "بۇ ھۆججەتنى ئەسكەرتىمىز",
"Cancel" : "بىكار قىلىش",
+ "Clear reminder" : "ئەسكەرتىش",
"Set reminder" : "ئەسكەرتىش بەلگىلەڭ",
"Reminder set" : "ئەسكەرتىش",
"Custom reminder" : "ئىختىيارى ئەسلەتكۈ",
@@ -31,6 +30,7 @@
"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 نى چەكلىشىڭىز كېرەك.",
+ "Set reminder for \"{fileName}\"" : "\"{fileName}\" ئۈچۈن ئەسكەرتىش بەلگىلەڭ",
"Set reminder at custom date & time" : "ئىختىيارى چېسلا ۋە ۋاقىتتا ئەسكەرتىش بەلگىلەڭ",
"Set custom reminder" : "ئىختىيارى ئەسكەرتىش بەلگىلەڭ"
},"pluralForm" :"nplurals=2; plural=(n != 1);"
diff --git a/apps/files_reminders/l10n/uk.js b/apps/files_reminders/l10n/uk.js
index c66399959d36e..5190e589d2f5e 100644
--- a/apps/files_reminders/l10n/uk.js
+++ b/apps/files_reminders/l10n/uk.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Для нормальної роботи програми «files_reminders» необхідна програма сповіщень. Вам слід або увімкнути сповіщення, або вимкнути files_reminder.",
"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}\"",
- "Reminder at custom date & time" : "Нагадування в задану дату та час",
- "Clear reminder" : "Зняти нагадування",
"Please choose a valid date & time" : "Виберіть дійсні дату та час",
"Reminder set for \"{fileName}\"" : "Встановлено нагадування для \"{fileName}\"",
"Failed to set reminder" : "Не вдалося встановити нагадування",
"Reminder cleared for \"{fileName}\"" : "Нагадування очищено для \"{fileName}\"",
"Failed to clear reminder" : "Не вдалося зняти нагадування",
+ "Reminder at custom date & time" : "Нагадування в задану дату та час",
"We will remind you of this file" : "Ми нагадаємо вам про цей файл.",
"Cancel" : "Скасувати",
+ "Clear reminder" : "Зняти нагадування",
"Set reminder" : "Встановити нагадування",
"Reminder set" : "Нагадування встановлено",
"Custom reminder" : "Індивідуальне нагадування",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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.",
+ "Set reminder for \"{fileName}\"" : "Встановити нагадування для \"{fileName}\"",
"Set reminder at custom date & time" : "Встановити нагадування на власну дату та час",
"Set custom reminder" : "Встановити власне нагадування"
},
diff --git a/apps/files_reminders/l10n/uk.json b/apps/files_reminders/l10n/uk.json
index d29c14318da56..b19ee4dabe862 100644
--- a/apps/files_reminders/l10n/uk.json
+++ b/apps/files_reminders/l10n/uk.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "Для нормальної роботи програми «files_reminders» необхідна програма сповіщень. Вам слід або увімкнути сповіщення, або вимкнути files_reminder.",
"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}\"",
- "Reminder at custom date & time" : "Нагадування в задану дату та час",
- "Clear reminder" : "Зняти нагадування",
"Please choose a valid date & time" : "Виберіть дійсні дату та час",
"Reminder set for \"{fileName}\"" : "Встановлено нагадування для \"{fileName}\"",
"Failed to set reminder" : "Не вдалося встановити нагадування",
"Reminder cleared for \"{fileName}\"" : "Нагадування очищено для \"{fileName}\"",
"Failed to clear reminder" : "Не вдалося зняти нагадування",
+ "Reminder at custom date & time" : "Нагадування в задану дату та час",
"We will remind you of this file" : "Ми нагадаємо вам про цей файл.",
"Cancel" : "Скасувати",
+ "Clear reminder" : "Зняти нагадування",
"Set reminder" : "Встановити нагадування",
"Reminder set" : "Нагадування встановлено",
"Custom reminder" : "Індивідуальне нагадування",
@@ -31,6 +30,7 @@
"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.",
+ "Set reminder for \"{fileName}\"" : "Встановити нагадування для \"{fileName}\"",
"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);"
diff --git a/apps/files_reminders/l10n/zh_CN.js b/apps/files_reminders/l10n/zh_CN.js
index 23c85d6283864..dbe66d543f3af 100644
--- a/apps/files_reminders/l10n/zh_CN.js
+++ b/apps/files_reminders/l10n/zh_CN.js
@@ -6,8 +6,6 @@ OC.L10N.register(
"View file" : "查看文件",
"View folder" : "查看文件夹",
"Set file reminders" : "设置文件提醒",
- "Set reminder for \"{fileName}\"" : "设置文件 “{fileName}” 的提醒",
- "Clear reminder" : "移除提醒",
"Please choose a valid date & time" : "请选择一个有效的日期&时间",
"Reminder set for \"{fileName}\"" : "文件 “{fileName}” 的提醒设置",
"Failed to set reminder" : "无法设置提醒",
@@ -15,6 +13,7 @@ OC.L10N.register(
"Failed to clear reminder" : "无法清除文件提醒",
"We will remind you of this file" : "我们将会提醒你该文件",
"Cancel" : "取消",
+ "Clear reminder" : "移除提醒",
"Set reminder" : "设置提醒",
"Reminder set" : "提醒设置",
"Later today" : "今日稍晚",
@@ -25,6 +24,7 @@ OC.L10N.register(
"Set reminder for this weekend" : "本周末提醒",
"Next week" : "下周",
"Set reminder for next week" : "下周提醒",
+ "Set reminder for \"{fileName}\"" : "设置文件 “{fileName}” 的提醒",
"Set reminder at custom date & time" : "设置自定义日期&时间提醒",
"Set custom reminder" : "设置自定义提醒"
},
diff --git a/apps/files_reminders/l10n/zh_CN.json b/apps/files_reminders/l10n/zh_CN.json
index f39375251403d..2d8515705f9ab 100644
--- a/apps/files_reminders/l10n/zh_CN.json
+++ b/apps/files_reminders/l10n/zh_CN.json
@@ -4,8 +4,6 @@
"View file" : "查看文件",
"View folder" : "查看文件夹",
"Set file reminders" : "设置文件提醒",
- "Set reminder for \"{fileName}\"" : "设置文件 “{fileName}” 的提醒",
- "Clear reminder" : "移除提醒",
"Please choose a valid date & time" : "请选择一个有效的日期&时间",
"Reminder set for \"{fileName}\"" : "文件 “{fileName}” 的提醒设置",
"Failed to set reminder" : "无法设置提醒",
@@ -13,6 +11,7 @@
"Failed to clear reminder" : "无法清除文件提醒",
"We will remind you of this file" : "我们将会提醒你该文件",
"Cancel" : "取消",
+ "Clear reminder" : "移除提醒",
"Set reminder" : "设置提醒",
"Reminder set" : "提醒设置",
"Later today" : "今日稍晚",
@@ -23,6 +22,7 @@
"Set reminder for this weekend" : "本周末提醒",
"Next week" : "下周",
"Set reminder for next week" : "下周提醒",
+ "Set reminder for \"{fileName}\"" : "设置文件 “{fileName}” 的提醒",
"Set reminder at custom date & time" : "设置自定义日期&时间提醒",
"Set custom reminder" : "设置自定义提醒"
},"pluralForm" :"nplurals=1; plural=0;"
diff --git a/apps/files_reminders/l10n/zh_HK.js b/apps/files_reminders/l10n/zh_HK.js
index c72fb6cde89be..6d9732ff72fef 100644
--- a/apps/files_reminders/l10n/zh_HK.js
+++ b/apps/files_reminders/l10n/zh_HK.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "「files_reminder」應用程式需要通知應用程式才能正常運作。您應該啟用通知或停用 files_reminder。",
"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}」的提醒",
- "Reminder at custom date & time" : "自訂日期與時間的提醒",
- "Clear reminder" : "清除提醒",
"Please choose a valid date & time" : "請選擇有效的日期與時間",
"Reminder set for \"{fileName}\"" : "「{fileName}」的提醒設定",
"Failed to set reminder" : "設定提醒失敗",
"Reminder cleared for \"{fileName}\"" : "已清除「{fileName}」的提醒",
"Failed to clear reminder" : "清除提醒失敗",
+ "Reminder at custom date & time" : "自訂日期與時間的提醒",
"We will remind you of this file" : "我們會提醒您該檔案",
"Cancel" : "取消",
+ "Clear reminder" : "清除提醒",
"Set reminder" : "設定提醒",
"Reminder set" : "提醒設定",
"Custom reminder" : "自訂提醒",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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。",
+ "Set reminder for \"{fileName}\"" : "設定「{fileName}」的提醒",
"Set reminder at custom date & time" : "設定自訂日期與時間的提醒",
"Set custom reminder" : "設定自訂提醒"
},
diff --git a/apps/files_reminders/l10n/zh_HK.json b/apps/files_reminders/l10n/zh_HK.json
index 339e0cd8cf73a..008803c44b891 100644
--- a/apps/files_reminders/l10n/zh_HK.json
+++ b/apps/files_reminders/l10n/zh_HK.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "「files_reminder」應用程式需要通知應用程式才能正常運作。您應該啟用通知或停用 files_reminder。",
"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}」的提醒",
- "Reminder at custom date & time" : "自訂日期與時間的提醒",
- "Clear reminder" : "清除提醒",
"Please choose a valid date & time" : "請選擇有效的日期與時間",
"Reminder set for \"{fileName}\"" : "「{fileName}」的提醒設定",
"Failed to set reminder" : "設定提醒失敗",
"Reminder cleared for \"{fileName}\"" : "已清除「{fileName}」的提醒",
"Failed to clear reminder" : "清除提醒失敗",
+ "Reminder at custom date & time" : "自訂日期與時間的提醒",
"We will remind you of this file" : "我們會提醒您該檔案",
"Cancel" : "取消",
+ "Clear reminder" : "清除提醒",
"Set reminder" : "設定提醒",
"Reminder set" : "提醒設定",
"Custom reminder" : "自訂提醒",
@@ -31,6 +30,7 @@
"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。",
+ "Set reminder for \"{fileName}\"" : "設定「{fileName}」的提醒",
"Set reminder at custom date & time" : "設定自訂日期與時間的提醒",
"Set custom reminder" : "設定自訂提醒"
},"pluralForm" :"nplurals=1; plural=0;"
diff --git a/apps/files_reminders/l10n/zh_TW.js b/apps/files_reminders/l10n/zh_TW.js
index c19c4a803a2ae..b0ec3d3977764 100644
--- a/apps/files_reminders/l10n/zh_TW.js
+++ b/apps/files_reminders/l10n/zh_TW.js
@@ -10,16 +10,15 @@ OC.L10N.register(
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "「files_reminder」應用程式需要通知應用程式才能正常運作。您應該啟用通知或停用 files_reminder。",
"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}」的提醒",
- "Reminder at custom date & time" : "自訂日期與時間的提醒",
- "Clear reminder" : "清除提醒",
"Please choose a valid date & time" : "請選擇有效的日期與時間",
"Reminder set for \"{fileName}\"" : "「{fileName}」的提醒設定",
"Failed to set reminder" : "設定提醒失敗",
"Reminder cleared for \"{fileName}\"" : "已清除「{fileName}」的提醒",
"Failed to clear reminder" : "清除提醒失敗",
+ "Reminder at custom date & time" : "自訂日期與時間的提醒",
"We will remind you of this file" : "我們會提醒您該檔案",
"Cancel" : "取消",
+ "Clear reminder" : "清除提醒",
"Set reminder" : "設定提醒",
"Reminder set" : "提醒設定",
"Custom reminder" : "自訂提醒",
@@ -33,6 +32,7 @@ OC.L10N.register(
"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。",
+ "Set reminder for \"{fileName}\"" : "設定「{fileName}」的提醒",
"Set reminder at custom date & time" : "設定自訂日期與時間的提醒",
"Set custom reminder" : "設定自訂提醒"
},
diff --git a/apps/files_reminders/l10n/zh_TW.json b/apps/files_reminders/l10n/zh_TW.json
index 5035fc1d66b4d..0da8a24caf78e 100644
--- a/apps/files_reminders/l10n/zh_TW.json
+++ b/apps/files_reminders/l10n/zh_TW.json
@@ -8,16 +8,15 @@
"The \"files_reminders\" app needs the notification app to work properly. You should either enable notifications or disable files_reminder." : "「files_reminder」應用程式需要通知應用程式才能正常運作。您應該啟用通知或停用 files_reminder。",
"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}」的提醒",
- "Reminder at custom date & time" : "自訂日期與時間的提醒",
- "Clear reminder" : "清除提醒",
"Please choose a valid date & time" : "請選擇有效的日期與時間",
"Reminder set for \"{fileName}\"" : "「{fileName}」的提醒設定",
"Failed to set reminder" : "設定提醒失敗",
"Reminder cleared for \"{fileName}\"" : "已清除「{fileName}」的提醒",
"Failed to clear reminder" : "清除提醒失敗",
+ "Reminder at custom date & time" : "自訂日期與時間的提醒",
"We will remind you of this file" : "我們會提醒您該檔案",
"Cancel" : "取消",
+ "Clear reminder" : "清除提醒",
"Set reminder" : "設定提醒",
"Reminder set" : "提醒設定",
"Custom reminder" : "自訂提醒",
@@ -31,6 +30,7 @@
"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。",
+ "Set reminder for \"{fileName}\"" : "設定「{fileName}」的提醒",
"Set reminder at custom date & time" : "設定自訂日期與時間的提醒",
"Set custom reminder" : "設定自訂提醒"
},"pluralForm" :"nplurals=1; plural=0;"
diff --git a/apps/files_sharing/src/mixins/SharesMixin.js b/apps/files_sharing/src/mixins/SharesMixin.js
index 3f876ab3dc887..19d90ab0cf6b5 100644
--- a/apps/files_sharing/src/mixins/SharesMixin.js
+++ b/apps/files_sharing/src/mixins/SharesMixin.js
@@ -173,9 +173,8 @@ export default {
if (this.passwordProtectedState !== undefined) {
return this.passwordProtectedState
}
- return this.share.newPassword !== undefined
- || this.share.password !== undefined
-
+ return typeof this.share.newPassword === 'string'
+ || typeof this.share.password === 'string'
},
async set(enabled) {
if (enabled) {
diff --git a/apps/settings/l10n/de.js b/apps/settings/l10n/de.js
index 23bbc8ddf0648..ae9f7da7493d5 100644
--- a/apps/settings/l10n/de.js
+++ b/apps/settings/l10n/de.js
@@ -302,7 +302,9 @@ OC.L10N.register(
"Could not check that your web server serves security headers correctly, unable to query `%s`" : "Es konnte nicht überprüft werden, ob dein Webserver Sicherheitsheader korrekt bereitstellt. Die Abfrage von `%s` ist nicht möglich",
"Your server is correctly configured to send security headers." : "Der Server ist korrekt für das Senden von Sicherheitsheadern konfiguriert.",
"Configuration server ID" : "Konfiguration Server-ID",
+ "Server identifier isn’t configured. It is recommended if your Nextcloud instance is running on several PHP servers. Add a server ID in your configuration." : "Die Server-ID ist nicht eingerichtet. Dies wird empfohlen, wenn deine Nextcloud-Instanz auf mehreren PHP-Servern läuft. Füge deiner Konfiguration eine Server-ID hinzu.",
"\"%d\" is not a valid server identifier. It must be between 0 and 1023." : "\"%d\" ist keine gültige Server-ID. Sie muss zwischen 0 und 1023 liegen.",
+ "Server identifier is configured and valid." : "Die Server-ID ist eingerichtet und gültig.",
"Database version" : "Datenbankversion",
"MariaDB version 10.3 detected, this version is end-of-life and only supported as part of Ubuntu 20.04. MariaDB >=%1$s and <=%2$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "MariaDB Version 10.3 erkannt, diese Version hat das Ende ihres Lebenszyklus erreicht und wird nur noch als Teil von Ubuntu 20.04 unterstützt. Für optimale Leistung, Stabilität und Funktionalität mit dieser Version von Nextcloud wird MariaDB >= %1$s und %2$s <= empfohlen.",
"MariaDB version \"%1$s\" detected. MariaDB >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "MariaDB-Version \"%1$s\" erkannt. Für optimale Leistung, Stabilität und Funktionalität mit dieser Version von Nextcloud wird MariaDB >= %2$s und %3$s <= empfohlen.",
diff --git a/apps/settings/l10n/de.json b/apps/settings/l10n/de.json
index 689d34eb5895b..5e821543f7119 100644
--- a/apps/settings/l10n/de.json
+++ b/apps/settings/l10n/de.json
@@ -300,7 +300,9 @@
"Could not check that your web server serves security headers correctly, unable to query `%s`" : "Es konnte nicht überprüft werden, ob dein Webserver Sicherheitsheader korrekt bereitstellt. Die Abfrage von `%s` ist nicht möglich",
"Your server is correctly configured to send security headers." : "Der Server ist korrekt für das Senden von Sicherheitsheadern konfiguriert.",
"Configuration server ID" : "Konfiguration Server-ID",
+ "Server identifier isn’t configured. It is recommended if your Nextcloud instance is running on several PHP servers. Add a server ID in your configuration." : "Die Server-ID ist nicht eingerichtet. Dies wird empfohlen, wenn deine Nextcloud-Instanz auf mehreren PHP-Servern läuft. Füge deiner Konfiguration eine Server-ID hinzu.",
"\"%d\" is not a valid server identifier. It must be between 0 and 1023." : "\"%d\" ist keine gültige Server-ID. Sie muss zwischen 0 und 1023 liegen.",
+ "Server identifier is configured and valid." : "Die Server-ID ist eingerichtet und gültig.",
"Database version" : "Datenbankversion",
"MariaDB version 10.3 detected, this version is end-of-life and only supported as part of Ubuntu 20.04. MariaDB >=%1$s and <=%2$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "MariaDB Version 10.3 erkannt, diese Version hat das Ende ihres Lebenszyklus erreicht und wird nur noch als Teil von Ubuntu 20.04 unterstützt. Für optimale Leistung, Stabilität und Funktionalität mit dieser Version von Nextcloud wird MariaDB >= %1$s und %2$s <= empfohlen.",
"MariaDB version \"%1$s\" detected. MariaDB >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "MariaDB-Version \"%1$s\" erkannt. Für optimale Leistung, Stabilität und Funktionalität mit dieser Version von Nextcloud wird MariaDB >= %2$s und %3$s <= empfohlen.",
diff --git a/apps/settings/l10n/de_DE.js b/apps/settings/l10n/de_DE.js
index acd8dfb089f54..8314a7c63c3be 100644
--- a/apps/settings/l10n/de_DE.js
+++ b/apps/settings/l10n/de_DE.js
@@ -302,7 +302,9 @@ OC.L10N.register(
"Could not check that your web server serves security headers correctly, unable to query `%s`" : "Es konnte nicht überprüft werden, ob Ihr Webserver Sicherheitsheader korrekt bereitstellt. Die Abfrage von `%s` ist nicht möglich",
"Your server is correctly configured to send security headers." : "Ihr Server ist korrekt für das Senden von Sicherheitsheadern konfiguriert.",
"Configuration server ID" : "Konfiguration Server-ID",
+ "Server identifier isn’t configured. It is recommended if your Nextcloud instance is running on several PHP servers. Add a server ID in your configuration." : "Die Server-ID ist nicht eingerichtet. Dies wird empfohlen, wenn Ihre Nextcloud-Instanz auf mehreren PHP-Servern läuft. Fügen Sie Ihrer Konfiguration eine Server-ID hinzu.",
"\"%d\" is not a valid server identifier. It must be between 0 and 1023." : "\"%d\" ist keine gültige Server-ID. Sie muss zwischen 0 und 1023 liegen.",
+ "Server identifier is configured and valid." : "Die Server-ID ist eingerichtet und gültig.",
"Database version" : "Datenbankversion",
"MariaDB version 10.3 detected, this version is end-of-life and only supported as part of Ubuntu 20.04. MariaDB >=%1$s and <=%2$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "MariaDB Version 10.3 erkannt, diese Version hat das Ende ihres Lebenszyklus erreicht und wird nur noch als Teil von Ubuntu 20.04 unterstützt. Für optimale Leistung, Stabilität und Funktionalität mit dieser Version von Nextcloud wird MariaDB >= %1$s und %2$s <= empfohlen.",
"MariaDB version \"%1$s\" detected. MariaDB >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "MariaDB-Version \"%1$s\" erkannt. Für optimale Leistung, Stabilität und Funktionalität mit dieser Version von Nextcloud wird MariaDB >= %2$s und %3$s <= empfohlen.",
diff --git a/apps/settings/l10n/de_DE.json b/apps/settings/l10n/de_DE.json
index 571cae250bfd2..200ce252a7605 100644
--- a/apps/settings/l10n/de_DE.json
+++ b/apps/settings/l10n/de_DE.json
@@ -300,7 +300,9 @@
"Could not check that your web server serves security headers correctly, unable to query `%s`" : "Es konnte nicht überprüft werden, ob Ihr Webserver Sicherheitsheader korrekt bereitstellt. Die Abfrage von `%s` ist nicht möglich",
"Your server is correctly configured to send security headers." : "Ihr Server ist korrekt für das Senden von Sicherheitsheadern konfiguriert.",
"Configuration server ID" : "Konfiguration Server-ID",
+ "Server identifier isn’t configured. It is recommended if your Nextcloud instance is running on several PHP servers. Add a server ID in your configuration." : "Die Server-ID ist nicht eingerichtet. Dies wird empfohlen, wenn Ihre Nextcloud-Instanz auf mehreren PHP-Servern läuft. Fügen Sie Ihrer Konfiguration eine Server-ID hinzu.",
"\"%d\" is not a valid server identifier. It must be between 0 and 1023." : "\"%d\" ist keine gültige Server-ID. Sie muss zwischen 0 und 1023 liegen.",
+ "Server identifier is configured and valid." : "Die Server-ID ist eingerichtet und gültig.",
"Database version" : "Datenbankversion",
"MariaDB version 10.3 detected, this version is end-of-life and only supported as part of Ubuntu 20.04. MariaDB >=%1$s and <=%2$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "MariaDB Version 10.3 erkannt, diese Version hat das Ende ihres Lebenszyklus erreicht und wird nur noch als Teil von Ubuntu 20.04 unterstützt. Für optimale Leistung, Stabilität und Funktionalität mit dieser Version von Nextcloud wird MariaDB >= %1$s und %2$s <= empfohlen.",
"MariaDB version \"%1$s\" detected. MariaDB >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "MariaDB-Version \"%1$s\" erkannt. Für optimale Leistung, Stabilität und Funktionalität mit dieser Version von Nextcloud wird MariaDB >= %2$s und %3$s <= empfohlen.",
diff --git a/apps/settings/l10n/en_GB.js b/apps/settings/l10n/en_GB.js
index 479b81f0bfc70..9f85038bbc15b 100644
--- a/apps/settings/l10n/en_GB.js
+++ b/apps/settings/l10n/en_GB.js
@@ -302,7 +302,9 @@ OC.L10N.register(
"Could not check that your web server serves security headers correctly, unable to query `%s`" : "Could not check that your web server serves security headers correctly, unable to query `%s`",
"Your server is correctly configured to send security headers." : "Your server is correctly configured to send security headers.",
"Configuration server ID" : "Configuration server ID",
+ "Server identifier isn’t configured. It is recommended if your Nextcloud instance is running on several PHP servers. Add a server ID in your configuration." : "Server identifier isn’t configured. It is recommended if your Nextcloud instance is running on several PHP servers. Add a server ID in your configuration.",
"\"%d\" is not a valid server identifier. It must be between 0 and 1023." : "\"%d\" is not a valid server identifier. It must be between 0 and 1023.",
+ "Server identifier is configured and valid." : "Server identifier is configured and valid.",
"Database version" : "Database version",
"MariaDB version 10.3 detected, this version is end-of-life and only supported as part of Ubuntu 20.04. MariaDB >=%1$s and <=%2$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "MariaDB version 10.3 detected, this version is end-of-life and only supported as part of Ubuntu 20.04. MariaDB >=%1$s and <=%2$s is suggested for best performance, stability and functionality with this version of Nextcloud.",
"MariaDB version \"%1$s\" detected. MariaDB >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "MariaDB version \"%1$s\" detected. MariaDB >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud.",
diff --git a/apps/settings/l10n/en_GB.json b/apps/settings/l10n/en_GB.json
index ca90327f349ee..d36c779156b05 100644
--- a/apps/settings/l10n/en_GB.json
+++ b/apps/settings/l10n/en_GB.json
@@ -300,7 +300,9 @@
"Could not check that your web server serves security headers correctly, unable to query `%s`" : "Could not check that your web server serves security headers correctly, unable to query `%s`",
"Your server is correctly configured to send security headers." : "Your server is correctly configured to send security headers.",
"Configuration server ID" : "Configuration server ID",
+ "Server identifier isn’t configured. It is recommended if your Nextcloud instance is running on several PHP servers. Add a server ID in your configuration." : "Server identifier isn’t configured. It is recommended if your Nextcloud instance is running on several PHP servers. Add a server ID in your configuration.",
"\"%d\" is not a valid server identifier. It must be between 0 and 1023." : "\"%d\" is not a valid server identifier. It must be between 0 and 1023.",
+ "Server identifier is configured and valid." : "Server identifier is configured and valid.",
"Database version" : "Database version",
"MariaDB version 10.3 detected, this version is end-of-life and only supported as part of Ubuntu 20.04. MariaDB >=%1$s and <=%2$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "MariaDB version 10.3 detected, this version is end-of-life and only supported as part of Ubuntu 20.04. MariaDB >=%1$s and <=%2$s is suggested for best performance, stability and functionality with this version of Nextcloud.",
"MariaDB version \"%1$s\" detected. MariaDB >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "MariaDB version \"%1$s\" detected. MariaDB >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud.",
diff --git a/apps/settings/l10n/et_EE.js b/apps/settings/l10n/et_EE.js
index 2d706ee93e062..df99ec3db8bf7 100644
--- a/apps/settings/l10n/et_EE.js
+++ b/apps/settings/l10n/et_EE.js
@@ -218,7 +218,9 @@ OC.L10N.register(
"Could not check that your web server serves security headers correctly, unable to query `%s`" : "Ei õnnestunud kontrollida, kas sinu veebiserveri päringuvastustes on turvalisusega seotud päisekirjed korrektsed. „%s“ päringu tegemine polnud võimalik.",
"Your server is correctly configured to send security headers." : "Sinu veebiserveri päringuvastustes on turvalisusega seotud päisekirjed korrektsed.",
"Configuration server ID" : "Seadista serveri tunnus (server ID)",
+ "Server identifier isn’t configured. It is recommended if your Nextcloud instance is running on several PHP servers. Add a server ID in your configuration." : "Serveritunnus pole seadistatud. Kui sinu Nextcloudi server kasutab mitut PHP-serverit, siis on selle lisamine soovitatav. Lisa serveri tunnus oma Nextcloudi seadistustesse.",
"\"%d\" is not a valid server identifier. It must be between 0 and 1023." : "„%d“ pole korrektne serveritunnus. Väärtus peab jääma 0 ja 1023 vahele.",
+ "Server identifier is configured and valid." : "Serveritunnus on seadistatud ning kehtiv.",
"Database version" : "Andmebaasi versioon",
"MariaDB version 10.3 detected, this version is end-of-life and only supported as part of Ubuntu 20.04. MariaDB >=%1$s and <=%2$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "Tuvastasin MariaDB versiooni 10.3 ning tema kasutusperiood on lõppenud ja tugi on olemas vaid Ubuntu 20.04 puhul. Parima jõudluse, stabiilsuse ja funktsionaalsuse mõttes soovitame selle Nextcloudi versiooni jaoks MariaDB versioone >=%1$s ja <= %2$s.",
"MariaDB version \"%1$s\" detected. MariaDB >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "Tuvastasin MariaDB versiooni „%1$s“. Parima jõudluse, stabiilsuse ja funktsionaalsuse mõttes soovitame selle Nextcloudi versiooni jaoks MariaDB versioone >=%2$s ja <= %3$s.",
diff --git a/apps/settings/l10n/et_EE.json b/apps/settings/l10n/et_EE.json
index a0860c68f6455..d1a9236464225 100644
--- a/apps/settings/l10n/et_EE.json
+++ b/apps/settings/l10n/et_EE.json
@@ -216,7 +216,9 @@
"Could not check that your web server serves security headers correctly, unable to query `%s`" : "Ei õnnestunud kontrollida, kas sinu veebiserveri päringuvastustes on turvalisusega seotud päisekirjed korrektsed. „%s“ päringu tegemine polnud võimalik.",
"Your server is correctly configured to send security headers." : "Sinu veebiserveri päringuvastustes on turvalisusega seotud päisekirjed korrektsed.",
"Configuration server ID" : "Seadista serveri tunnus (server ID)",
+ "Server identifier isn’t configured. It is recommended if your Nextcloud instance is running on several PHP servers. Add a server ID in your configuration." : "Serveritunnus pole seadistatud. Kui sinu Nextcloudi server kasutab mitut PHP-serverit, siis on selle lisamine soovitatav. Lisa serveri tunnus oma Nextcloudi seadistustesse.",
"\"%d\" is not a valid server identifier. It must be between 0 and 1023." : "„%d“ pole korrektne serveritunnus. Väärtus peab jääma 0 ja 1023 vahele.",
+ "Server identifier is configured and valid." : "Serveritunnus on seadistatud ning kehtiv.",
"Database version" : "Andmebaasi versioon",
"MariaDB version 10.3 detected, this version is end-of-life and only supported as part of Ubuntu 20.04. MariaDB >=%1$s and <=%2$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "Tuvastasin MariaDB versiooni 10.3 ning tema kasutusperiood on lõppenud ja tugi on olemas vaid Ubuntu 20.04 puhul. Parima jõudluse, stabiilsuse ja funktsionaalsuse mõttes soovitame selle Nextcloudi versiooni jaoks MariaDB versioone >=%1$s ja <= %2$s.",
"MariaDB version \"%1$s\" detected. MariaDB >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "Tuvastasin MariaDB versiooni „%1$s“. Parima jõudluse, stabiilsuse ja funktsionaalsuse mõttes soovitame selle Nextcloudi versiooni jaoks MariaDB versioone >=%2$s ja <= %3$s.",
diff --git a/apps/settings/l10n/gl.js b/apps/settings/l10n/gl.js
index e5a0249bffdd6..49c6ae743e07c 100644
--- a/apps/settings/l10n/gl.js
+++ b/apps/settings/l10n/gl.js
@@ -302,7 +302,9 @@ OC.L10N.register(
"Could not check that your web server serves security headers correctly, unable to query `%s`" : "Non é posíbel comprobar que o seu servidor web serve correctamente as cabeceiras de seguranza, non é posíbel consultar «%s»",
"Your server is correctly configured to send security headers." : "O seu servidor está configurado correctamente para enviar cabeceiras de seguranza.",
"Configuration server ID" : "ID do servidor de configuración",
+ "Server identifier isn’t configured. It is recommended if your Nextcloud instance is running on several PHP servers. Add a server ID in your configuration." : "O identificador do servidor non está configurado. Recoméndase se a súa instancia de Nextcloud está a funcionar en varios servidores PHP. Engada un servidor na súa configuración.",
"\"%d\" is not a valid server identifier. It must be between 0 and 1023." : "«%d» non é un identificador de servidor válido. Debe estar entre 0 e 1023.",
+ "Server identifier is configured and valid." : "O identificador do servidor está configurado e é válido.",
"Database version" : "Versión da base de datos",
"MariaDB version 10.3 detected, this version is end-of-life and only supported as part of Ubuntu 20.04. MariaDB >=%1$s and <=%2$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "Detectouse a versión 10.3 de MariaDB, esta versión está ao final da súa vida útil e só se admite como parte de Ubuntu 20.04. Suxírese MariaDB >=%1$s e <=%2$s para obter mellor rendemento, estabilidade e funcionalidade con esta versión de Nextcloud.",
"MariaDB version \"%1$s\" detected. MariaDB >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "Detectouse a versión «%1$s» de MariaDB. Suxírese MariaDB >=%2$s e <=%3$s para un mellor rendemento, estabilidade e funcionalidade con esta versión de Nextcloud.",
diff --git a/apps/settings/l10n/gl.json b/apps/settings/l10n/gl.json
index 137d8d49aaef9..d9eb41dac5e2c 100644
--- a/apps/settings/l10n/gl.json
+++ b/apps/settings/l10n/gl.json
@@ -300,7 +300,9 @@
"Could not check that your web server serves security headers correctly, unable to query `%s`" : "Non é posíbel comprobar que o seu servidor web serve correctamente as cabeceiras de seguranza, non é posíbel consultar «%s»",
"Your server is correctly configured to send security headers." : "O seu servidor está configurado correctamente para enviar cabeceiras de seguranza.",
"Configuration server ID" : "ID do servidor de configuración",
+ "Server identifier isn’t configured. It is recommended if your Nextcloud instance is running on several PHP servers. Add a server ID in your configuration." : "O identificador do servidor non está configurado. Recoméndase se a súa instancia de Nextcloud está a funcionar en varios servidores PHP. Engada un servidor na súa configuración.",
"\"%d\" is not a valid server identifier. It must be between 0 and 1023." : "«%d» non é un identificador de servidor válido. Debe estar entre 0 e 1023.",
+ "Server identifier is configured and valid." : "O identificador do servidor está configurado e é válido.",
"Database version" : "Versión da base de datos",
"MariaDB version 10.3 detected, this version is end-of-life and only supported as part of Ubuntu 20.04. MariaDB >=%1$s and <=%2$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "Detectouse a versión 10.3 de MariaDB, esta versión está ao final da súa vida útil e só se admite como parte de Ubuntu 20.04. Suxírese MariaDB >=%1$s e <=%2$s para obter mellor rendemento, estabilidade e funcionalidade con esta versión de Nextcloud.",
"MariaDB version \"%1$s\" detected. MariaDB >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "Detectouse a versión «%1$s» de MariaDB. Suxírese MariaDB >=%2$s e <=%3$s para un mellor rendemento, estabilidade e funcionalidade con esta versión de Nextcloud.",
diff --git a/apps/settings/l10n/pt_BR.js b/apps/settings/l10n/pt_BR.js
index 5f88bddcbfe29..ec258ce7c5778 100644
--- a/apps/settings/l10n/pt_BR.js
+++ b/apps/settings/l10n/pt_BR.js
@@ -302,7 +302,9 @@ OC.L10N.register(
"Could not check that your web server serves security headers correctly, unable to query `%s`" : "Não foi possível verificar se o seu servidor web fornece cabeçalhos de segurança corretamente, não foi possível consultar `%s`",
"Your server is correctly configured to send security headers." : "Seu servidor está configurado corretamente para enviar cabeçalhos de segurança.",
"Configuration server ID" : "ID do servidor de configuração",
+ "Server identifier isn’t configured. It is recommended if your Nextcloud instance is running on several PHP servers. Add a server ID in your configuration." : "O identificador do servidor não está configurado. É recomendado se a sua instância do Nextcloud estiver sendo executada em vários servidores PHP. Adicione um ID de servidor na sua configuração.",
"\"%d\" is not a valid server identifier. It must be between 0 and 1023." : "\"%d\" não é um identificador do servidor válido. Ele deve ser entre 0 e 1023.",
+ "Server identifier is configured and valid." : "O identificador do servidor está configurado e válido.",
"Database version" : "Versão do banco de dados",
"MariaDB version 10.3 detected, this version is end-of-life and only supported as part of Ubuntu 20.04. MariaDB >=%1$s and <=%2$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "Versão do MariaDB 10.3 detectada, esta versão é fim de vida e só suportada como parte do Ubuntu 20.04. MariaDB >=%1$s e <=%2$s é sugerido para melhor desempenho, estabilidade e funcionalidade com esta versão do Nextcloud.",
"MariaDB version \"%1$s\" detected. MariaDB >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "Versão do MariaDB \"%1$s\" detectada. MariaDB >=%2$s e <=%3$s é sugerido para melhor desempenho, estabilidade e funcionalidade com esta versão do Nextcloud.",
diff --git a/apps/settings/l10n/pt_BR.json b/apps/settings/l10n/pt_BR.json
index 15bbfd9c53822..39fd0cf59aa47 100644
--- a/apps/settings/l10n/pt_BR.json
+++ b/apps/settings/l10n/pt_BR.json
@@ -300,7 +300,9 @@
"Could not check that your web server serves security headers correctly, unable to query `%s`" : "Não foi possível verificar se o seu servidor web fornece cabeçalhos de segurança corretamente, não foi possível consultar `%s`",
"Your server is correctly configured to send security headers." : "Seu servidor está configurado corretamente para enviar cabeçalhos de segurança.",
"Configuration server ID" : "ID do servidor de configuração",
+ "Server identifier isn’t configured. It is recommended if your Nextcloud instance is running on several PHP servers. Add a server ID in your configuration." : "O identificador do servidor não está configurado. É recomendado se a sua instância do Nextcloud estiver sendo executada em vários servidores PHP. Adicione um ID de servidor na sua configuração.",
"\"%d\" is not a valid server identifier. It must be between 0 and 1023." : "\"%d\" não é um identificador do servidor válido. Ele deve ser entre 0 e 1023.",
+ "Server identifier is configured and valid." : "O identificador do servidor está configurado e válido.",
"Database version" : "Versão do banco de dados",
"MariaDB version 10.3 detected, this version is end-of-life and only supported as part of Ubuntu 20.04. MariaDB >=%1$s and <=%2$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "Versão do MariaDB 10.3 detectada, esta versão é fim de vida e só suportada como parte do Ubuntu 20.04. MariaDB >=%1$s e <=%2$s é sugerido para melhor desempenho, estabilidade e funcionalidade com esta versão do Nextcloud.",
"MariaDB version \"%1$s\" detected. MariaDB >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "Versão do MariaDB \"%1$s\" detectada. MariaDB >=%2$s e <=%3$s é sugerido para melhor desempenho, estabilidade e funcionalidade com esta versão do Nextcloud.",
diff --git a/apps/settings/l10n/zh_HK.js b/apps/settings/l10n/zh_HK.js
index 12793f4e2fce6..3fb7548c53124 100644
--- a/apps/settings/l10n/zh_HK.js
+++ b/apps/settings/l10n/zh_HK.js
@@ -302,7 +302,9 @@ OC.L10N.register(
"Could not check that your web server serves security headers correctly, unable to query `%s`" : "無法檢查您的網路伺服器是否正確提供安全性標頭,無法查詢 `%s`",
"Your server is correctly configured to send security headers." : "您的伺服器正確設定了傳送安全性標頭。",
"Configuration server ID" : "配置伺服器 ID",
+ "Server identifier isn’t configured. It is recommended if your Nextcloud instance is running on several PHP servers. Add a server ID in your configuration." : "伺服器識別碼尚未設定。若您的 Nextcloud 站台執行於多個 PHP 伺服器上,建議進行此設定。請在您的配置中新增 伺服器 ID。",
"\"%d\" is not a valid server identifier. It must be between 0 and 1023." : "「%d」不是有效的伺服器識別碼。其必須再 0 到 1023 間。",
+ "Server identifier is configured and valid." : "伺服器識別碼已配置且有效。",
"Database version" : "數據庫版本",
"MariaDB version 10.3 detected, this version is end-of-life and only supported as part of Ubuntu 20.04. MariaDB >=%1$s and <=%2$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "檢測到 MariaDB 版本 10.3,該版本已達生命週期終點,僅作為 Ubuntu 20.04 的一部分支持。建議使用 MariaDB 版本 >= %1$s 和 <=%2$s 以獲得最佳性能、穩定性和功能,與此版本的 Nextcloud 配合使用。",
"MariaDB version \"%1$s\" detected. MariaDB >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "檢測到 MariaDB 版本「%1$s」。建議使用 MariaDB 版本 >= %2$s 和 <= %3$s 以獲得最佳性能、穩定性和功能,與此版本的 Nextcloud 配合使用。",
diff --git a/apps/settings/l10n/zh_HK.json b/apps/settings/l10n/zh_HK.json
index 3cc29b31f1143..8edb0658f637e 100644
--- a/apps/settings/l10n/zh_HK.json
+++ b/apps/settings/l10n/zh_HK.json
@@ -300,7 +300,9 @@
"Could not check that your web server serves security headers correctly, unable to query `%s`" : "無法檢查您的網路伺服器是否正確提供安全性標頭,無法查詢 `%s`",
"Your server is correctly configured to send security headers." : "您的伺服器正確設定了傳送安全性標頭。",
"Configuration server ID" : "配置伺服器 ID",
+ "Server identifier isn’t configured. It is recommended if your Nextcloud instance is running on several PHP servers. Add a server ID in your configuration." : "伺服器識別碼尚未設定。若您的 Nextcloud 站台執行於多個 PHP 伺服器上,建議進行此設定。請在您的配置中新增 伺服器 ID。",
"\"%d\" is not a valid server identifier. It must be between 0 and 1023." : "「%d」不是有效的伺服器識別碼。其必須再 0 到 1023 間。",
+ "Server identifier is configured and valid." : "伺服器識別碼已配置且有效。",
"Database version" : "數據庫版本",
"MariaDB version 10.3 detected, this version is end-of-life and only supported as part of Ubuntu 20.04. MariaDB >=%1$s and <=%2$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "檢測到 MariaDB 版本 10.3,該版本已達生命週期終點,僅作為 Ubuntu 20.04 的一部分支持。建議使用 MariaDB 版本 >= %1$s 和 <=%2$s 以獲得最佳性能、穩定性和功能,與此版本的 Nextcloud 配合使用。",
"MariaDB version \"%1$s\" detected. MariaDB >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "檢測到 MariaDB 版本「%1$s」。建議使用 MariaDB 版本 >= %2$s 和 <= %3$s 以獲得最佳性能、穩定性和功能,與此版本的 Nextcloud 配合使用。",
diff --git a/apps/settings/l10n/zh_TW.js b/apps/settings/l10n/zh_TW.js
index 720ff0489b946..2d8308bafcf8e 100644
--- a/apps/settings/l10n/zh_TW.js
+++ b/apps/settings/l10n/zh_TW.js
@@ -302,7 +302,9 @@ OC.L10N.register(
"Could not check that your web server serves security headers correctly, unable to query `%s`" : "無法檢查您的網路伺服器是否正確提供安全性標頭,無法查詢 `%s`",
"Your server is correctly configured to send security headers." : "您的伺服器正確設定了傳送安全性標頭。",
"Configuration server ID" : "組態伺服器 ID",
+ "Server identifier isn’t configured. It is recommended if your Nextcloud instance is running on several PHP servers. Add a server ID in your configuration." : "伺服器識別碼尚未設定。若您的 Nextcloud 站台執行於多個 PHP 伺服器上,建議進行此設定。請在您的設定檔中新增伺服器 ID。",
"\"%d\" is not a valid server identifier. It must be between 0 and 1023." : "「%d」不是有效的伺服器識別碼。其必須再 0 到 1023 間。",
+ "Server identifier is configured and valid." : "伺服器識別碼已設定且有效。",
"Database version" : "資料庫版本",
"MariaDB version 10.3 detected, this version is end-of-life and only supported as part of Ubuntu 20.04. MariaDB >=%1$s and <=%2$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "偵測到 MariaDB 版本 10.3,此版本已終止支援,僅作為 Ubuntu 20.04 的一部份提供支援。建議使用 MariaDB >=%1$s 且 <=%2$s 以取得此版本 Nextcloud 的最佳效能、穩定性與功能。",
"MariaDB version \"%1$s\" detected. MariaDB >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "偵測到 MariaDB 版本「%1$s」。建議使用 MariaDB >=%2$s 且 <=%3$s 以取得此版本 Nextcloud 的最佳效能、穩定性與功能。",
diff --git a/apps/settings/l10n/zh_TW.json b/apps/settings/l10n/zh_TW.json
index 63567d148ad74..cd60a9138c02a 100644
--- a/apps/settings/l10n/zh_TW.json
+++ b/apps/settings/l10n/zh_TW.json
@@ -300,7 +300,9 @@
"Could not check that your web server serves security headers correctly, unable to query `%s`" : "無法檢查您的網路伺服器是否正確提供安全性標頭,無法查詢 `%s`",
"Your server is correctly configured to send security headers." : "您的伺服器正確設定了傳送安全性標頭。",
"Configuration server ID" : "組態伺服器 ID",
+ "Server identifier isn’t configured. It is recommended if your Nextcloud instance is running on several PHP servers. Add a server ID in your configuration." : "伺服器識別碼尚未設定。若您的 Nextcloud 站台執行於多個 PHP 伺服器上,建議進行此設定。請在您的設定檔中新增伺服器 ID。",
"\"%d\" is not a valid server identifier. It must be between 0 and 1023." : "「%d」不是有效的伺服器識別碼。其必須再 0 到 1023 間。",
+ "Server identifier is configured and valid." : "伺服器識別碼已設定且有效。",
"Database version" : "資料庫版本",
"MariaDB version 10.3 detected, this version is end-of-life and only supported as part of Ubuntu 20.04. MariaDB >=%1$s and <=%2$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "偵測到 MariaDB 版本 10.3,此版本已終止支援,僅作為 Ubuntu 20.04 的一部份提供支援。建議使用 MariaDB >=%1$s 且 <=%2$s 以取得此版本 Nextcloud 的最佳效能、穩定性與功能。",
"MariaDB version \"%1$s\" detected. MariaDB >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud." : "偵測到 MariaDB 版本「%1$s」。建議使用 MariaDB >=%2$s 且 <=%3$s 以取得此版本 Nextcloud 的最佳效能、穩定性與功能。",
diff --git a/apps/settings/lib/SetupChecks/SupportedDatabase.php b/apps/settings/lib/SetupChecks/SupportedDatabase.php
index d083958d16e02..4f6235b3510f7 100644
--- a/apps/settings/lib/SetupChecks/SupportedDatabase.php
+++ b/apps/settings/lib/SetupChecks/SupportedDatabase.php
@@ -26,6 +26,8 @@ class SupportedDatabase implements ISetupCheck {
private const MAX_MYSQL = '8.4';
private const MIN_POSTGRES = '13';
private const MAX_POSTGRES = '17';
+ private const MIN_ORACLE = '12.2';
+ private const MAX_ORACLE = '26';
public function __construct(
private IL10N $l10n,
@@ -112,7 +114,29 @@ public function run(): SetupResult {
);
}
} elseif ($databasePlatform instanceof OraclePlatform) {
- $version = 'Oracle';
+ $result = $this->connection->executeQuery('SELECT VERSION FROM PRODUCT_COMPONENT_VERSION');
+ $version = $result->fetchOne();
+ $result->closeCursor();
+ $versionLower = strtolower($version);
+ // we only care about X.Y not X.Y.Z differences
+ [$major, $minor, ] = explode('.', $versionLower);
+ $versionConcern = $major . '.' . $minor;
+ if (version_compare($versionConcern, self::MIN_ORACLE, '<') || version_compare($versionConcern, self::MAX_ORACLE, '>')) {
+ $extendedWarning = '';
+ if (version_compare($versionConcern, self::MIN_ORACLE, '<')) {
+ $extendedWarning = "\n" . $this->l10n->t('Nextcloud %d does not support your current version, so be sure to update the database before updating your Nextcloud Server.', [33]);
+ }
+ return SetupResult::warning(
+ $this->l10n->t(
+ 'Oracle version "%1$s" detected. Oracle >=%2$s and <=%3$s is suggested for best performance, stability and functionality with this version of Nextcloud.',
+ [
+ $version,
+ self::MIN_ORACLE,
+ self::MAX_ORACLE,
+ ])
+ . $extendedWarning
+ );
+ }
} elseif ($databasePlatform instanceof SqlitePlatform) {
return SetupResult::warning(
$this->l10n->t('SQLite is currently being used as the backend database. For larger installations we recommend that you switch to a different database backend. This is particularly recommended when using the desktop client for file synchronisation. To migrate to another database use the command line tool: "occ db:convert-type".'),
diff --git a/apps/settings/tests/SetupChecks/SupportedDatabaseTest.php b/apps/settings/tests/SetupChecks/SupportedDatabaseTest.php
index 6c75df47aa01a..53e0d517c6344 100644
--- a/apps/settings/tests/SetupChecks/SupportedDatabaseTest.php
+++ b/apps/settings/tests/SetupChecks/SupportedDatabaseTest.php
@@ -41,11 +41,18 @@ protected function setUp(): void {
}
public function testPass(): void {
+ $severities = [SetupResult::SUCCESS, SetupResult::INFO];
if ($this->connection->getDatabaseProvider() === IDBConnection::PLATFORM_SQLITE) {
- /** SQlite always gets a warning */
- $this->assertEquals(SetupResult::WARNING, $this->check->run()->getSeverity());
- } else {
- $this->assertContains($this->check->run()->getSeverity(), [SetupResult::SUCCESS, SetupResult::INFO]);
+ $severities = [SetupResult::WARNING];
+ } elseif ($this->connection->getDatabaseProvider(true) === IDBConnection::PLATFORM_ORACLE) {
+ $result = $this->connection->executeQuery('SELECT VERSION FROM PRODUCT_COMPONENT_VERSION');
+ $version = $result->fetchOne();
+ $result->closeCursor();
+ if (str_starts_with($version, '11.')) {
+ $severities = [SetupResult::WARNING];
+ }
}
+
+ $this->assertContains($this->check->run()->getSeverity(), $severities, 'Oracle 11 and SQLite expect a warning, other databases should be success or info only');
}
}
diff --git a/apps/user_ldap/l10n/ar.js b/apps/user_ldap/l10n/ar.js
index 06cf04cd1012d..acfc7e14af199 100644
--- a/apps/user_ldap/l10n/ar.js
+++ b/apps/user_ldap/l10n/ar.js
@@ -16,7 +16,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "تكوين غير صالح: الربط المجهول Anonymous binding غير مسموح به.",
"Valid configuration, connection established!" : "تكوين صالح، تمّ تأسيس الاتصال!",
"Please login with the new password" : "الرجاء تسجيل الدخول باستخدام كلمة المرور الجديدة",
- "Action does not exist" : "الإجراء غير موجود",
"Failed to clear the mappings." : "فشل مسح الارتباطات mappings",
"LDAP User backend" : "خلفية المستخدمين User backend من LDAP ",
"Your password will expire tomorrow." : "كلمة مرورك تنتهي صلاحيتها غداً.",
@@ -180,6 +179,7 @@ OC.L10N.register(
"No data specified" : "لم يتم تحديد أيّ بياناتٍ",
"Invalid data specified" : "البيانات المحددة غير صالحة",
"Could not set configuration %1$s to %2$s" : "يتعذّر تعيين الإعداد %1$s لـ %2$s",
+ "Action does not exist" : "الإجراء غير موجود",
"Renewing …" : "التجديد جارٍ …",
"The Base DN appears to be wrong" : "يبدو أن الاسم المميز الأساسي Base DN خاطئٌ",
"Testing configuration…" : "إختبار التهيئة...",
diff --git a/apps/user_ldap/l10n/ar.json b/apps/user_ldap/l10n/ar.json
index d72482691577c..f49fa4aea0598 100644
--- a/apps/user_ldap/l10n/ar.json
+++ b/apps/user_ldap/l10n/ar.json
@@ -14,7 +14,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "تكوين غير صالح: الربط المجهول Anonymous binding غير مسموح به.",
"Valid configuration, connection established!" : "تكوين صالح، تمّ تأسيس الاتصال!",
"Please login with the new password" : "الرجاء تسجيل الدخول باستخدام كلمة المرور الجديدة",
- "Action does not exist" : "الإجراء غير موجود",
"Failed to clear the mappings." : "فشل مسح الارتباطات mappings",
"LDAP User backend" : "خلفية المستخدمين User backend من LDAP ",
"Your password will expire tomorrow." : "كلمة مرورك تنتهي صلاحيتها غداً.",
@@ -178,6 +177,7 @@
"No data specified" : "لم يتم تحديد أيّ بياناتٍ",
"Invalid data specified" : "البيانات المحددة غير صالحة",
"Could not set configuration %1$s to %2$s" : "يتعذّر تعيين الإعداد %1$s لـ %2$s",
+ "Action does not exist" : "الإجراء غير موجود",
"Renewing …" : "التجديد جارٍ …",
"The Base DN appears to be wrong" : "يبدو أن الاسم المميز الأساسي Base DN خاطئٌ",
"Testing configuration…" : "إختبار التهيئة...",
diff --git a/apps/user_ldap/l10n/bg.js b/apps/user_ldap/l10n/bg.js
index db1c66c4bb5d9..8a639ab3b4643 100644
--- a/apps/user_ldap/l10n/bg.js
+++ b/apps/user_ldap/l10n/bg.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Невалидна конфигурация: Анонимното обвързване не е разрешено.",
"Valid configuration, connection established!" : "Валидна конфигурация, връзката е установена!",
"Please login with the new password" : "Моля, влезте с новата парола",
- "Action does not exist" : "Действието не съществува",
"Failed to clear the mappings." : "Неуспешно изчистване на mapping-ите.",
"LDAP User backend" : "LDAP потребителски сървър",
"Your password will expire tomorrow." : "Вашата парола ще изтече утре.",
@@ -162,6 +161,7 @@ OC.L10N.register(
"No configuration specified" : "Не е посочена конфигурация",
"No data specified" : "Не са посочени данни",
"Invalid data specified" : "Посочени са невалидни данни",
+ "Action does not exist" : "Действието не съществува",
"Renewing …" : "Подновяване …",
"The Base DN appears to be wrong" : "Базовото DN изглежда е грешно",
"Testing configuration…" : "Изпробване на конфигурацията...",
diff --git a/apps/user_ldap/l10n/bg.json b/apps/user_ldap/l10n/bg.json
index 22f8cf81ae5dc..bb0e60dbacbc4 100644
--- a/apps/user_ldap/l10n/bg.json
+++ b/apps/user_ldap/l10n/bg.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Невалидна конфигурация: Анонимното обвързване не е разрешено.",
"Valid configuration, connection established!" : "Валидна конфигурация, връзката е установена!",
"Please login with the new password" : "Моля, влезте с новата парола",
- "Action does not exist" : "Действието не съществува",
"Failed to clear the mappings." : "Неуспешно изчистване на mapping-ите.",
"LDAP User backend" : "LDAP потребителски сървър",
"Your password will expire tomorrow." : "Вашата парола ще изтече утре.",
@@ -160,6 +159,7 @@
"No configuration specified" : "Не е посочена конфигурация",
"No data specified" : "Не са посочени данни",
"Invalid data specified" : "Посочени са невалидни данни",
+ "Action does not exist" : "Действието не съществува",
"Renewing …" : "Подновяване …",
"The Base DN appears to be wrong" : "Базовото DN изглежда е грешно",
"Testing configuration…" : "Изпробване на конфигурацията...",
diff --git a/apps/user_ldap/l10n/ca.js b/apps/user_ldap/l10n/ca.js
index cb095c446ae62..9e67d972596de 100644
--- a/apps/user_ldap/l10n/ca.js
+++ b/apps/user_ldap/l10n/ca.js
@@ -16,7 +16,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuració no vàlida: no es permet l'enllaç anònim.",
"Valid configuration, connection established!" : "Configuració vàlida, connexió establerta!",
"Please login with the new password" : "Inicieu sessió amb la nova contrasenya",
- "Action does not exist" : "L'acció no existeix",
"Failed to clear the mappings." : "No s’han pogut netejar les assignacions.",
"LDAP User backend" : "Rerefons d'usuari LDAP",
"Your password will expire tomorrow." : "La contrasenya caducarà demà.",
@@ -180,6 +179,7 @@ OC.L10N.register(
"No data specified" : "No heu especificat cap dada",
"Invalid data specified" : "Les dades especificades no són vàlides",
"Could not set configuration %1$s to %2$s" : "No s'ha pogut establir la configuració %1$s a %2$s",
+ "Action does not exist" : "L'acció no existeix",
"Renewing …" : "Renovant …",
"The Base DN appears to be wrong" : "El DN de base sembla estar equivocat",
"Testing configuration…" : "Probant configuració…",
diff --git a/apps/user_ldap/l10n/ca.json b/apps/user_ldap/l10n/ca.json
index 1f5dae83a0237..cf5e2d5755a47 100644
--- a/apps/user_ldap/l10n/ca.json
+++ b/apps/user_ldap/l10n/ca.json
@@ -14,7 +14,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuració no vàlida: no es permet l'enllaç anònim.",
"Valid configuration, connection established!" : "Configuració vàlida, connexió establerta!",
"Please login with the new password" : "Inicieu sessió amb la nova contrasenya",
- "Action does not exist" : "L'acció no existeix",
"Failed to clear the mappings." : "No s’han pogut netejar les assignacions.",
"LDAP User backend" : "Rerefons d'usuari LDAP",
"Your password will expire tomorrow." : "La contrasenya caducarà demà.",
@@ -178,6 +177,7 @@
"No data specified" : "No heu especificat cap dada",
"Invalid data specified" : "Les dades especificades no són vàlides",
"Could not set configuration %1$s to %2$s" : "No s'ha pogut establir la configuració %1$s a %2$s",
+ "Action does not exist" : "L'acció no existeix",
"Renewing …" : "Renovant …",
"The Base DN appears to be wrong" : "El DN de base sembla estar equivocat",
"Testing configuration…" : "Probant configuració…",
diff --git a/apps/user_ldap/l10n/cs.js b/apps/user_ldap/l10n/cs.js
index 51a69e551b77f..94d4c7c15da97 100644
--- a/apps/user_ldap/l10n/cs.js
+++ b/apps/user_ldap/l10n/cs.js
@@ -18,8 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Neplatné nastavení: Anonymní navázání není umožněno.",
"Valid configuration, connection established!" : "Nastavení je v pořádku a spojení bylo navázáno.",
"Please login with the new password" : "Přihlaste se pomocí nového hesla",
- "Action does not exist" : "Tato akce neexistuje",
- "Unsupported subject " : "Nepodporovaný předmět",
"Failed to clear the mappings." : "Mapování se nepodařilo zrušit.",
"LDAP User backend" : "Podpůrná vrstva pro uživatele z LDAP",
"Your password will expire tomorrow." : "Platnost hesla zítra skončí.",
@@ -216,6 +214,7 @@ OC.L10N.register(
"No data specified" : "Neurčena žádná data",
"Invalid data specified" : "Zadána neplatná data",
"Could not set configuration %1$s to %2$s" : "Nepodařilo se nastavit konfiguraci %1$s na %2$s",
+ "Action does not exist" : "Tato akce neexistuje",
"Renewing …" : "Obnovování …",
"The Base DN appears to be wrong" : "Base DN se nezdá být pořádku",
"Testing configuration…" : "Zkoušení nastavení …",
diff --git a/apps/user_ldap/l10n/cs.json b/apps/user_ldap/l10n/cs.json
index 07005950e1996..240dcc2f1c5a6 100644
--- a/apps/user_ldap/l10n/cs.json
+++ b/apps/user_ldap/l10n/cs.json
@@ -16,8 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Neplatné nastavení: Anonymní navázání není umožněno.",
"Valid configuration, connection established!" : "Nastavení je v pořádku a spojení bylo navázáno.",
"Please login with the new password" : "Přihlaste se pomocí nového hesla",
- "Action does not exist" : "Tato akce neexistuje",
- "Unsupported subject " : "Nepodporovaný předmět",
"Failed to clear the mappings." : "Mapování se nepodařilo zrušit.",
"LDAP User backend" : "Podpůrná vrstva pro uživatele z LDAP",
"Your password will expire tomorrow." : "Platnost hesla zítra skončí.",
@@ -214,6 +212,7 @@
"No data specified" : "Neurčena žádná data",
"Invalid data specified" : "Zadána neplatná data",
"Could not set configuration %1$s to %2$s" : "Nepodařilo se nastavit konfiguraci %1$s na %2$s",
+ "Action does not exist" : "Tato akce neexistuje",
"Renewing …" : "Obnovování …",
"The Base DN appears to be wrong" : "Base DN se nezdá být pořádku",
"Testing configuration…" : "Zkoušení nastavení …",
diff --git a/apps/user_ldap/l10n/da.js b/apps/user_ldap/l10n/da.js
index 81300f687db0d..7f2f364dae603 100644
--- a/apps/user_ldap/l10n/da.js
+++ b/apps/user_ldap/l10n/da.js
@@ -18,7 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Ugyldig konfiguration: Anonym binding er ikke tilladt.",
"Valid configuration, connection established!" : "Gyldig konfiguration, forbindelse etableret!",
"Please login with the new password" : "Log ind med den nye adgangskode",
- "Action does not exist" : "Handling eksisterer ikke",
"Failed to clear the mappings." : "Det lykkedes ikke at rydde tilknytningen.",
"LDAP User backend" : "LDAP bruger backend",
"Your password will expire tomorrow." : "Din adgangskode udløber i morgen.",
@@ -196,6 +195,7 @@ OC.L10N.register(
"No data specified" : "Ingen data angivet",
"Invalid data specified" : "Ugyldige data angivet",
"Could not set configuration %1$s to %2$s" : "Kunne ikke indstille konfigurationen %1$s til %2$s",
+ "Action does not exist" : "Handling eksisterer ikke",
"Renewing …" : "Fornyer ...",
"The Base DN appears to be wrong" : "Base DN synes at være forkert",
"Testing configuration…" : "Tester konfiguration...",
diff --git a/apps/user_ldap/l10n/da.json b/apps/user_ldap/l10n/da.json
index e31865e3651c2..c5a0ff3aed836 100644
--- a/apps/user_ldap/l10n/da.json
+++ b/apps/user_ldap/l10n/da.json
@@ -16,7 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Ugyldig konfiguration: Anonym binding er ikke tilladt.",
"Valid configuration, connection established!" : "Gyldig konfiguration, forbindelse etableret!",
"Please login with the new password" : "Log ind med den nye adgangskode",
- "Action does not exist" : "Handling eksisterer ikke",
"Failed to clear the mappings." : "Det lykkedes ikke at rydde tilknytningen.",
"LDAP User backend" : "LDAP bruger backend",
"Your password will expire tomorrow." : "Din adgangskode udløber i morgen.",
@@ -194,6 +193,7 @@
"No data specified" : "Ingen data angivet",
"Invalid data specified" : "Ugyldige data angivet",
"Could not set configuration %1$s to %2$s" : "Kunne ikke indstille konfigurationen %1$s til %2$s",
+ "Action does not exist" : "Handling eksisterer ikke",
"Renewing …" : "Fornyer ...",
"The Base DN appears to be wrong" : "Base DN synes at være forkert",
"Testing configuration…" : "Tester konfiguration...",
diff --git a/apps/user_ldap/l10n/de.js b/apps/user_ldap/l10n/de.js
index c5aa612ef4995..f31a9a1d9822c 100644
--- a/apps/user_ldap/l10n/de.js
+++ b/apps/user_ldap/l10n/de.js
@@ -18,8 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Die Konfiguration ist ungültig: anonymes Binden ist nicht erlaubt. ",
"Valid configuration, connection established!" : "Gültige Konfiguration, Verbindung hergestellt!",
"Please login with the new password" : "Bitte mit dem neuen Passwort anmelden",
- "Action does not exist" : "Aktion existiert nicht",
- "Unsupported subject " : "Nicht unterstütztes Thema (SAN)",
"Failed to clear the mappings." : "Löschen der Zuordnungen fehlgeschlagen.",
"LDAP User backend" : "LDAP Benutzer-Backend",
"Your password will expire tomorrow." : "Dein Passwort läuft morgen ab",
@@ -216,6 +214,7 @@ OC.L10N.register(
"No data specified" : "Keine Daten angegeben",
"Invalid data specified" : "Ungültige Daten angegeben",
"Could not set configuration %1$s to %2$s" : "Die Konfiguration %1$s konnte nicht auf %2$s gesetzt werden",
+ "Action does not exist" : "Aktion existiert nicht",
"Renewing …" : "Erneuere …",
"The Base DN appears to be wrong" : "Die Base-DN scheint falsch zu sein",
"Testing configuration…" : "Teste Konfiguration …",
diff --git a/apps/user_ldap/l10n/de.json b/apps/user_ldap/l10n/de.json
index 14656c686af17..aba371462a42b 100644
--- a/apps/user_ldap/l10n/de.json
+++ b/apps/user_ldap/l10n/de.json
@@ -16,8 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Die Konfiguration ist ungültig: anonymes Binden ist nicht erlaubt. ",
"Valid configuration, connection established!" : "Gültige Konfiguration, Verbindung hergestellt!",
"Please login with the new password" : "Bitte mit dem neuen Passwort anmelden",
- "Action does not exist" : "Aktion existiert nicht",
- "Unsupported subject " : "Nicht unterstütztes Thema (SAN)",
"Failed to clear the mappings." : "Löschen der Zuordnungen fehlgeschlagen.",
"LDAP User backend" : "LDAP Benutzer-Backend",
"Your password will expire tomorrow." : "Dein Passwort läuft morgen ab",
@@ -214,6 +212,7 @@
"No data specified" : "Keine Daten angegeben",
"Invalid data specified" : "Ungültige Daten angegeben",
"Could not set configuration %1$s to %2$s" : "Die Konfiguration %1$s konnte nicht auf %2$s gesetzt werden",
+ "Action does not exist" : "Aktion existiert nicht",
"Renewing …" : "Erneuere …",
"The Base DN appears to be wrong" : "Die Base-DN scheint falsch zu sein",
"Testing configuration…" : "Teste Konfiguration …",
diff --git a/apps/user_ldap/l10n/de_DE.js b/apps/user_ldap/l10n/de_DE.js
index c43497ba9584b..af3aa0ff0330f 100644
--- a/apps/user_ldap/l10n/de_DE.js
+++ b/apps/user_ldap/l10n/de_DE.js
@@ -18,8 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Die Konfiguration ist ungültig: anonymes Binden ist nicht erlaubt. ",
"Valid configuration, connection established!" : "Gültige Konfiguration, Verbindung hergestellt!",
"Please login with the new password" : "Bitte mit dem neuen Passwort anmelden",
- "Action does not exist" : "Aktion existiert nicht",
- "Unsupported subject " : "Nicht unterstütztes Thema (SAN)",
"Failed to clear the mappings." : "Die Zuordnungen konnten nicht gelöscht werden.",
"LDAP User backend" : "LDAP Benutzer-Backend",
"Your password will expire tomorrow." : "Ihr Passwort läuft morgen ab.",
@@ -216,6 +214,7 @@ OC.L10N.register(
"No data specified" : "Keine Daten angegeben",
"Invalid data specified" : "Ungültige Daten angegeben",
"Could not set configuration %1$s to %2$s" : "Die Konfiguration %1$s konnte nicht auf %2$s gesetzt werden",
+ "Action does not exist" : "Aktion existiert nicht",
"Renewing …" : "Erneuere …",
"The Base DN appears to be wrong" : "Die Base-DN scheint falsch zu sein",
"Testing configuration…" : "Teste Konfiguration",
diff --git a/apps/user_ldap/l10n/de_DE.json b/apps/user_ldap/l10n/de_DE.json
index 243f4d1411811..ab03d109105d0 100644
--- a/apps/user_ldap/l10n/de_DE.json
+++ b/apps/user_ldap/l10n/de_DE.json
@@ -16,8 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Die Konfiguration ist ungültig: anonymes Binden ist nicht erlaubt. ",
"Valid configuration, connection established!" : "Gültige Konfiguration, Verbindung hergestellt!",
"Please login with the new password" : "Bitte mit dem neuen Passwort anmelden",
- "Action does not exist" : "Aktion existiert nicht",
- "Unsupported subject " : "Nicht unterstütztes Thema (SAN)",
"Failed to clear the mappings." : "Die Zuordnungen konnten nicht gelöscht werden.",
"LDAP User backend" : "LDAP Benutzer-Backend",
"Your password will expire tomorrow." : "Ihr Passwort läuft morgen ab.",
@@ -214,6 +212,7 @@
"No data specified" : "Keine Daten angegeben",
"Invalid data specified" : "Ungültige Daten angegeben",
"Could not set configuration %1$s to %2$s" : "Die Konfiguration %1$s konnte nicht auf %2$s gesetzt werden",
+ "Action does not exist" : "Aktion existiert nicht",
"Renewing …" : "Erneuere …",
"The Base DN appears to be wrong" : "Die Base-DN scheint falsch zu sein",
"Testing configuration…" : "Teste Konfiguration",
diff --git a/apps/user_ldap/l10n/el.js b/apps/user_ldap/l10n/el.js
index f9a3c129f13c3..1f9b58e9e7473 100644
--- a/apps/user_ldap/l10n/el.js
+++ b/apps/user_ldap/l10n/el.js
@@ -18,7 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Μη έγκυρη διαμόρφωση: Δεν επιτρέπεται ανώνυμη δέσμευση.",
"Valid configuration, connection established!" : "Επιτυχής ρύθμιση, συνδεθήκατε με επιτυχία",
"Please login with the new password" : "Παρακαλώ κάντε είσοδο με το νέο συνθηματικό",
- "Action does not exist" : "Η ενέργεια δεν υπάρχει",
"Failed to clear the mappings." : "Αποτυχία εκκαθάρισης των αντιστοιχιών.",
"LDAP User backend" : "LDAP Σύστημα υποστήριξης χρήστη",
"Your password will expire tomorrow." : "Το συνθηματικό σας θα λήξει αύριο.",
@@ -195,6 +194,7 @@ OC.L10N.register(
"No data specified" : "Δεν προσδιορίστηκαν δεδομένα",
"Invalid data specified" : "Μη έγκυρα δεδομένα προσδιορίστηκαν",
"Could not set configuration %1$s to %2$s" : "Δεν ήταν δυνατός ο ορισμός διαμόρφωσης %1$s σε %2$s",
+ "Action does not exist" : "Η ενέργεια δεν υπάρχει",
"Renewing …" : "Ανανέωση ...",
"The Base DN appears to be wrong" : "Το Base DN φαίνεται να είναι εσφαλμένο",
"Testing configuration…" : "Γίνεται δοκιμή ρυθμίσεων...",
diff --git a/apps/user_ldap/l10n/el.json b/apps/user_ldap/l10n/el.json
index 22de94cabec6b..93d16cf770c68 100644
--- a/apps/user_ldap/l10n/el.json
+++ b/apps/user_ldap/l10n/el.json
@@ -16,7 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Μη έγκυρη διαμόρφωση: Δεν επιτρέπεται ανώνυμη δέσμευση.",
"Valid configuration, connection established!" : "Επιτυχής ρύθμιση, συνδεθήκατε με επιτυχία",
"Please login with the new password" : "Παρακαλώ κάντε είσοδο με το νέο συνθηματικό",
- "Action does not exist" : "Η ενέργεια δεν υπάρχει",
"Failed to clear the mappings." : "Αποτυχία εκκαθάρισης των αντιστοιχιών.",
"LDAP User backend" : "LDAP Σύστημα υποστήριξης χρήστη",
"Your password will expire tomorrow." : "Το συνθηματικό σας θα λήξει αύριο.",
@@ -193,6 +192,7 @@
"No data specified" : "Δεν προσδιορίστηκαν δεδομένα",
"Invalid data specified" : "Μη έγκυρα δεδομένα προσδιορίστηκαν",
"Could not set configuration %1$s to %2$s" : "Δεν ήταν δυνατός ο ορισμός διαμόρφωσης %1$s σε %2$s",
+ "Action does not exist" : "Η ενέργεια δεν υπάρχει",
"Renewing …" : "Ανανέωση ...",
"The Base DN appears to be wrong" : "Το Base DN φαίνεται να είναι εσφαλμένο",
"Testing configuration…" : "Γίνεται δοκιμή ρυθμίσεων...",
diff --git a/apps/user_ldap/l10n/en_GB.js b/apps/user_ldap/l10n/en_GB.js
index 62a1370376fee..eb30cc47f792b 100644
--- a/apps/user_ldap/l10n/en_GB.js
+++ b/apps/user_ldap/l10n/en_GB.js
@@ -18,8 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Invalid configuration: Anonymous binding is not allowed.",
"Valid configuration, connection established!" : "Valid configuration, connection established!",
"Please login with the new password" : "Please login with the new password",
- "Action does not exist" : "Action does not exist",
- "Unsupported subject " : "Unsupported subject ",
"Failed to clear the mappings." : "Failed to clear the mappings.",
"LDAP User backend" : "LDAP User backend",
"Your password will expire tomorrow." : "Your password will expire tomorrow.",
@@ -216,6 +214,7 @@ OC.L10N.register(
"No data specified" : "No data specified",
"Invalid data specified" : "Invalid data specified",
"Could not set configuration %1$s to %2$s" : "Could not set configuration %1$s to %2$s",
+ "Action does not exist" : "Action does not exist",
"Renewing …" : "Renewing …",
"The Base DN appears to be wrong" : "The Base DN appears to be wrong",
"Testing configuration…" : "Testing configuration…",
diff --git a/apps/user_ldap/l10n/en_GB.json b/apps/user_ldap/l10n/en_GB.json
index 13c3c0be021f6..aaad74e00b3c5 100644
--- a/apps/user_ldap/l10n/en_GB.json
+++ b/apps/user_ldap/l10n/en_GB.json
@@ -16,8 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Invalid configuration: Anonymous binding is not allowed.",
"Valid configuration, connection established!" : "Valid configuration, connection established!",
"Please login with the new password" : "Please login with the new password",
- "Action does not exist" : "Action does not exist",
- "Unsupported subject " : "Unsupported subject ",
"Failed to clear the mappings." : "Failed to clear the mappings.",
"LDAP User backend" : "LDAP User backend",
"Your password will expire tomorrow." : "Your password will expire tomorrow.",
@@ -214,6 +212,7 @@
"No data specified" : "No data specified",
"Invalid data specified" : "Invalid data specified",
"Could not set configuration %1$s to %2$s" : "Could not set configuration %1$s to %2$s",
+ "Action does not exist" : "Action does not exist",
"Renewing …" : "Renewing …",
"The Base DN appears to be wrong" : "The Base DN appears to be wrong",
"Testing configuration…" : "Testing configuration…",
diff --git a/apps/user_ldap/l10n/es.js b/apps/user_ldap/l10n/es.js
index 14c986700b334..1bc24e1f9038c 100644
--- a/apps/user_ldap/l10n/es.js
+++ b/apps/user_ldap/l10n/es.js
@@ -17,7 +17,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuración no válida: No se permite enlazado anónimo.",
"Valid configuration, connection established!" : "Configuración válida. ¡Conexión establecida!",
"Please login with the new password" : "Por favor, entra con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se ha producido un fallo al borrar las asignaciones.",
"LDAP User backend" : "Motor de usuarios LDAP",
"Your password will expire tomorrow." : "Tu contraseña caducará mañana.",
@@ -182,6 +181,7 @@ OC.L10N.register(
"No data specified" : "No se han especificado los datos",
"Invalid data specified" : "Se especificaron datos inválidos",
"Could not set configuration %1$s to %2$s" : "No se pudo establecer la configuración %1$s a %2$s",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando …",
"The Base DN appears to be wrong" : "La Base DN parece estar mal",
"Testing configuration…" : "Probando configuración",
diff --git a/apps/user_ldap/l10n/es.json b/apps/user_ldap/l10n/es.json
index e8be88cfb23f3..7bd48a6b4e1c0 100644
--- a/apps/user_ldap/l10n/es.json
+++ b/apps/user_ldap/l10n/es.json
@@ -15,7 +15,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuración no válida: No se permite enlazado anónimo.",
"Valid configuration, connection established!" : "Configuración válida. ¡Conexión establecida!",
"Please login with the new password" : "Por favor, entra con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se ha producido un fallo al borrar las asignaciones.",
"LDAP User backend" : "Motor de usuarios LDAP",
"Your password will expire tomorrow." : "Tu contraseña caducará mañana.",
@@ -180,6 +179,7 @@
"No data specified" : "No se han especificado los datos",
"Invalid data specified" : "Se especificaron datos inválidos",
"Could not set configuration %1$s to %2$s" : "No se pudo establecer la configuración %1$s a %2$s",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando …",
"The Base DN appears to be wrong" : "La Base DN parece estar mal",
"Testing configuration…" : "Probando configuración",
diff --git a/apps/user_ldap/l10n/es_419.js b/apps/user_ldap/l10n/es_419.js
index df874f63170b2..37bbce2e026c2 100644
--- a/apps/user_ldap/l10n/es_419.js
+++ b/apps/user_ldap/l10n/es_419.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -124,6 +123,7 @@ OC.L10N.register(
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_419.json b/apps/user_ldap/l10n/es_419.json
index 38d903e275eab..54ff75b3086a2 100644
--- a/apps/user_ldap/l10n/es_419.json
+++ b/apps/user_ldap/l10n/es_419.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -122,6 +121,7 @@
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_AR.js b/apps/user_ldap/l10n/es_AR.js
index 747f1c55b0c2d..d051cf6d24c56 100644
--- a/apps/user_ldap/l10n/es_AR.js
+++ b/apps/user_ldap/l10n/es_AR.js
@@ -7,7 +7,6 @@ OC.L10N.register(
"Good password" : "Buena contraseña",
"Strong password" : "Contraseña fuerte",
"Please login with the new password" : "Favor de iniciar sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Su contraseña expirará mañana.",
"Your password will expire today." : "Su contraseña expirará el día de hoy. ",
@@ -116,6 +115,7 @@ OC.L10N.register(
"No action specified" : "No se ha especificado una acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuracion... ",
diff --git a/apps/user_ldap/l10n/es_AR.json b/apps/user_ldap/l10n/es_AR.json
index 15bed25ab0ad1..e8f5c760ecda3 100644
--- a/apps/user_ldap/l10n/es_AR.json
+++ b/apps/user_ldap/l10n/es_AR.json
@@ -5,7 +5,6 @@
"Good password" : "Buena contraseña",
"Strong password" : "Contraseña fuerte",
"Please login with the new password" : "Favor de iniciar sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Su contraseña expirará mañana.",
"Your password will expire today." : "Su contraseña expirará el día de hoy. ",
@@ -114,6 +113,7 @@
"No action specified" : "No se ha especificado una acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuracion... ",
diff --git a/apps/user_ldap/l10n/es_CL.js b/apps/user_ldap/l10n/es_CL.js
index ad99cc9193e87..53d24e96b4db6 100644
--- a/apps/user_ldap/l10n/es_CL.js
+++ b/apps/user_ldap/l10n/es_CL.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -125,6 +124,7 @@ OC.L10N.register(
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_CL.json b/apps/user_ldap/l10n/es_CL.json
index 5f20b1054e481..09a226e439d10 100644
--- a/apps/user_ldap/l10n/es_CL.json
+++ b/apps/user_ldap/l10n/es_CL.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -123,6 +122,7 @@
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_CO.js b/apps/user_ldap/l10n/es_CO.js
index ad99cc9193e87..53d24e96b4db6 100644
--- a/apps/user_ldap/l10n/es_CO.js
+++ b/apps/user_ldap/l10n/es_CO.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -125,6 +124,7 @@ OC.L10N.register(
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_CO.json b/apps/user_ldap/l10n/es_CO.json
index 5f20b1054e481..09a226e439d10 100644
--- a/apps/user_ldap/l10n/es_CO.json
+++ b/apps/user_ldap/l10n/es_CO.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -123,6 +122,7 @@
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_CR.js b/apps/user_ldap/l10n/es_CR.js
index ad99cc9193e87..53d24e96b4db6 100644
--- a/apps/user_ldap/l10n/es_CR.js
+++ b/apps/user_ldap/l10n/es_CR.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -125,6 +124,7 @@ OC.L10N.register(
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_CR.json b/apps/user_ldap/l10n/es_CR.json
index 5f20b1054e481..09a226e439d10 100644
--- a/apps/user_ldap/l10n/es_CR.json
+++ b/apps/user_ldap/l10n/es_CR.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -123,6 +122,7 @@
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_DO.js b/apps/user_ldap/l10n/es_DO.js
index ad99cc9193e87..53d24e96b4db6 100644
--- a/apps/user_ldap/l10n/es_DO.js
+++ b/apps/user_ldap/l10n/es_DO.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -125,6 +124,7 @@ OC.L10N.register(
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_DO.json b/apps/user_ldap/l10n/es_DO.json
index 5f20b1054e481..09a226e439d10 100644
--- a/apps/user_ldap/l10n/es_DO.json
+++ b/apps/user_ldap/l10n/es_DO.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -123,6 +122,7 @@
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_EC.js b/apps/user_ldap/l10n/es_EC.js
index 9a971c0b6603c..3e1bfe14e1c42 100644
--- a/apps/user_ldap/l10n/es_EC.js
+++ b/apps/user_ldap/l10n/es_EC.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"LDAP User backend" : "Backend de usuario LDAP",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
@@ -163,6 +162,7 @@ OC.L10N.register(
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
"Invalid data specified" : "Datos especificados no válidos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_EC.json b/apps/user_ldap/l10n/es_EC.json
index 2b25196d4c73b..0ff254e8d5b75 100644
--- a/apps/user_ldap/l10n/es_EC.json
+++ b/apps/user_ldap/l10n/es_EC.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"LDAP User backend" : "Backend de usuario LDAP",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
@@ -161,6 +160,7 @@
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
"Invalid data specified" : "Datos especificados no válidos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_GT.js b/apps/user_ldap/l10n/es_GT.js
index ad99cc9193e87..53d24e96b4db6 100644
--- a/apps/user_ldap/l10n/es_GT.js
+++ b/apps/user_ldap/l10n/es_GT.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -125,6 +124,7 @@ OC.L10N.register(
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_GT.json b/apps/user_ldap/l10n/es_GT.json
index 5f20b1054e481..09a226e439d10 100644
--- a/apps/user_ldap/l10n/es_GT.json
+++ b/apps/user_ldap/l10n/es_GT.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -123,6 +122,7 @@
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_HN.js b/apps/user_ldap/l10n/es_HN.js
index 329a4c23c8b1c..5727e47e52db5 100644
--- a/apps/user_ldap/l10n/es_HN.js
+++ b/apps/user_ldap/l10n/es_HN.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -124,6 +123,7 @@ OC.L10N.register(
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_HN.json b/apps/user_ldap/l10n/es_HN.json
index 9411b6b561c9b..49e26ca99e0f6 100644
--- a/apps/user_ldap/l10n/es_HN.json
+++ b/apps/user_ldap/l10n/es_HN.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -122,6 +121,7 @@
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_MX.js b/apps/user_ldap/l10n/es_MX.js
index fa8381ed273fd..b5591ae21617b 100644
--- a/apps/user_ldap/l10n/es_MX.js
+++ b/apps/user_ldap/l10n/es_MX.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"LDAP User backend" : "Backend de usuario LDAP",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
@@ -162,6 +161,7 @@ OC.L10N.register(
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
"Invalid data specified" : "Datos especificados inválidos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_MX.json b/apps/user_ldap/l10n/es_MX.json
index 2a303acd4b869..d871b2d9a8ac3 100644
--- a/apps/user_ldap/l10n/es_MX.json
+++ b/apps/user_ldap/l10n/es_MX.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"LDAP User backend" : "Backend de usuario LDAP",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
@@ -160,6 +159,7 @@
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
"Invalid data specified" : "Datos especificados inválidos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_NI.js b/apps/user_ldap/l10n/es_NI.js
index 329a4c23c8b1c..5727e47e52db5 100644
--- a/apps/user_ldap/l10n/es_NI.js
+++ b/apps/user_ldap/l10n/es_NI.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -124,6 +123,7 @@ OC.L10N.register(
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_NI.json b/apps/user_ldap/l10n/es_NI.json
index 9411b6b561c9b..49e26ca99e0f6 100644
--- a/apps/user_ldap/l10n/es_NI.json
+++ b/apps/user_ldap/l10n/es_NI.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -122,6 +121,7 @@
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_PA.js b/apps/user_ldap/l10n/es_PA.js
index 329a4c23c8b1c..5727e47e52db5 100644
--- a/apps/user_ldap/l10n/es_PA.js
+++ b/apps/user_ldap/l10n/es_PA.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -124,6 +123,7 @@ OC.L10N.register(
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_PA.json b/apps/user_ldap/l10n/es_PA.json
index 9411b6b561c9b..49e26ca99e0f6 100644
--- a/apps/user_ldap/l10n/es_PA.json
+++ b/apps/user_ldap/l10n/es_PA.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -122,6 +121,7 @@
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_PE.js b/apps/user_ldap/l10n/es_PE.js
index 329a4c23c8b1c..5727e47e52db5 100644
--- a/apps/user_ldap/l10n/es_PE.js
+++ b/apps/user_ldap/l10n/es_PE.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -124,6 +123,7 @@ OC.L10N.register(
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_PE.json b/apps/user_ldap/l10n/es_PE.json
index 9411b6b561c9b..49e26ca99e0f6 100644
--- a/apps/user_ldap/l10n/es_PE.json
+++ b/apps/user_ldap/l10n/es_PE.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -122,6 +121,7 @@
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_PR.js b/apps/user_ldap/l10n/es_PR.js
index 329a4c23c8b1c..5727e47e52db5 100644
--- a/apps/user_ldap/l10n/es_PR.js
+++ b/apps/user_ldap/l10n/es_PR.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -124,6 +123,7 @@ OC.L10N.register(
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_PR.json b/apps/user_ldap/l10n/es_PR.json
index 9411b6b561c9b..49e26ca99e0f6 100644
--- a/apps/user_ldap/l10n/es_PR.json
+++ b/apps/user_ldap/l10n/es_PR.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -122,6 +121,7 @@
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_PY.js b/apps/user_ldap/l10n/es_PY.js
index 2368fe064517d..7bec89fd96b4f 100644
--- a/apps/user_ldap/l10n/es_PY.js
+++ b/apps/user_ldap/l10n/es_PY.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -125,6 +124,7 @@ OC.L10N.register(
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_PY.json b/apps/user_ldap/l10n/es_PY.json
index 9b19dcc671c55..3aab8d2e4f5a8 100644
--- a/apps/user_ldap/l10n/es_PY.json
+++ b/apps/user_ldap/l10n/es_PY.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -123,6 +122,7 @@
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_SV.js b/apps/user_ldap/l10n/es_SV.js
index ad99cc9193e87..53d24e96b4db6 100644
--- a/apps/user_ldap/l10n/es_SV.js
+++ b/apps/user_ldap/l10n/es_SV.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -125,6 +124,7 @@ OC.L10N.register(
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_SV.json b/apps/user_ldap/l10n/es_SV.json
index 5f20b1054e481..09a226e439d10 100644
--- a/apps/user_ldap/l10n/es_SV.json
+++ b/apps/user_ldap/l10n/es_SV.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -123,6 +122,7 @@
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_UY.js b/apps/user_ldap/l10n/es_UY.js
index 329a4c23c8b1c..5727e47e52db5 100644
--- a/apps/user_ldap/l10n/es_UY.js
+++ b/apps/user_ldap/l10n/es_UY.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -124,6 +123,7 @@ OC.L10N.register(
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/es_UY.json b/apps/user_ldap/l10n/es_UY.json
index 9411b6b561c9b..49e26ca99e0f6 100644
--- a/apps/user_ldap/l10n/es_UY.json
+++ b/apps/user_ldap/l10n/es_UY.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuración inválida: La vinculación anónima no está permitida. ",
"Valid configuration, connection established!" : "¡Configuración válida, conexión establecida!",
"Please login with the new password" : "Por favor inicia sesion con la nueva contraseña",
- "Action does not exist" : "La acción no existe",
"Failed to clear the mappings." : "Se presentó una falla al borrar los mapeos.",
"Your password will expire tomorrow." : "Tu contraseña expirará mañana.",
"Your password will expire today." : "Tu contraseña expirará el día de hoy. ",
@@ -122,6 +121,7 @@
"No action specified" : "No se ha especificado alguna acción",
"No configuration specified" : "No se ha especificado una configuración",
"No data specified" : "No se han especificado datos",
+ "Action does not exist" : "La acción no existe",
"Renewing …" : "Renovando ...",
"The Base DN appears to be wrong" : "El DN Base parece estar incorrecto",
"Testing configuration…" : "Probando configuración... ",
diff --git a/apps/user_ldap/l10n/et_EE.js b/apps/user_ldap/l10n/et_EE.js
index 06012c3c66a03..e069fb1a9f1df 100644
--- a/apps/user_ldap/l10n/et_EE.js
+++ b/apps/user_ldap/l10n/et_EE.js
@@ -15,7 +15,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Vale seadistus: anonüümne sidumine pole lubatud.",
"Valid configuration, connection established!" : "Korrektne seadistus, ühendus on loodud!",
"Please login with the new password" : "Palun logi uue salasõnaga sisse",
- "Action does not exist" : "Toimingut pole olemas",
"Failed to clear the mappings." : "Vastenduste puhastamine ebaõnnestus.",
"LDAP User backend" : "LPAD-i põhine tausteteenus kasutajate jaoks",
"Your password will expire tomorrow." : "Su salasõna aegub homme.",
@@ -138,6 +137,7 @@ OC.L10N.register(
"No data specified" : "Andmeid pole määratletud",
"Invalid data specified" : "Kirjeldatud on vigased andmed",
"Could not set configuration %1$s to %2$s" : "Ei õnnestunud muuta „%1$s“ seadistuse väärtuseks „%2$s“",
+ "Action does not exist" : "Toimingut pole olemas",
"Renewing …" : "Värskendamine ...",
"The Base DN appears to be wrong" : "Näib, et Base DN on vale",
"Testing configuration…" : "Seadistuse testimine",
diff --git a/apps/user_ldap/l10n/et_EE.json b/apps/user_ldap/l10n/et_EE.json
index ac414d60fff93..f31592456dac6 100644
--- a/apps/user_ldap/l10n/et_EE.json
+++ b/apps/user_ldap/l10n/et_EE.json
@@ -13,7 +13,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Vale seadistus: anonüümne sidumine pole lubatud.",
"Valid configuration, connection established!" : "Korrektne seadistus, ühendus on loodud!",
"Please login with the new password" : "Palun logi uue salasõnaga sisse",
- "Action does not exist" : "Toimingut pole olemas",
"Failed to clear the mappings." : "Vastenduste puhastamine ebaõnnestus.",
"LDAP User backend" : "LPAD-i põhine tausteteenus kasutajate jaoks",
"Your password will expire tomorrow." : "Su salasõna aegub homme.",
@@ -136,6 +135,7 @@
"No data specified" : "Andmeid pole määratletud",
"Invalid data specified" : "Kirjeldatud on vigased andmed",
"Could not set configuration %1$s to %2$s" : "Ei õnnestunud muuta „%1$s“ seadistuse väärtuseks „%2$s“",
+ "Action does not exist" : "Toimingut pole olemas",
"Renewing …" : "Värskendamine ...",
"The Base DN appears to be wrong" : "Näib, et Base DN on vale",
"Testing configuration…" : "Seadistuse testimine",
diff --git a/apps/user_ldap/l10n/eu.js b/apps/user_ldap/l10n/eu.js
index 0a0cab2cf7126..22f6e60d0e816 100644
--- a/apps/user_ldap/l10n/eu.js
+++ b/apps/user_ldap/l10n/eu.js
@@ -17,7 +17,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Baliogabeko konfigurazioa. Lotura anonimoak ez dira onartzen.",
"Valid configuration, connection established!" : "Baleko konfigurazioa, konexioa ezarri da!",
"Please login with the new password" : "Mesedez hasi saioa pasahitz berriarekin",
- "Action does not exist" : "Ekintza ez da existitzen",
"Failed to clear the mappings." : "Mapeatzeen garbiketak huts egin du.",
"LDAP User backend" : "LDAP erabiltzaileen atzealdea",
"Your password will expire tomorrow." : "Zure pasahitza bihar iraungiko da.",
@@ -181,6 +180,7 @@ OC.L10N.register(
"No data specified" : "Ez da daturik zehaztu",
"Invalid data specified" : "Zehaztutako datu baliogabeak",
"Could not set configuration %1$s to %2$s" : "Ezin izan da %1$s %2$s-ra ezarri",
+ "Action does not exist" : "Ekintza ez da existitzen",
"Renewing …" : "Berritzen ...",
"The Base DN appears to be wrong" : "Oinarrizko DN gaizki dagoela dirudi",
"Testing configuration…" : "Konfigurazioa probatzen…",
diff --git a/apps/user_ldap/l10n/eu.json b/apps/user_ldap/l10n/eu.json
index e2a414705e743..28a4b6190bf3e 100644
--- a/apps/user_ldap/l10n/eu.json
+++ b/apps/user_ldap/l10n/eu.json
@@ -15,7 +15,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Baliogabeko konfigurazioa. Lotura anonimoak ez dira onartzen.",
"Valid configuration, connection established!" : "Baleko konfigurazioa, konexioa ezarri da!",
"Please login with the new password" : "Mesedez hasi saioa pasahitz berriarekin",
- "Action does not exist" : "Ekintza ez da existitzen",
"Failed to clear the mappings." : "Mapeatzeen garbiketak huts egin du.",
"LDAP User backend" : "LDAP erabiltzaileen atzealdea",
"Your password will expire tomorrow." : "Zure pasahitza bihar iraungiko da.",
@@ -179,6 +178,7 @@
"No data specified" : "Ez da daturik zehaztu",
"Invalid data specified" : "Zehaztutako datu baliogabeak",
"Could not set configuration %1$s to %2$s" : "Ezin izan da %1$s %2$s-ra ezarri",
+ "Action does not exist" : "Ekintza ez da existitzen",
"Renewing …" : "Berritzen ...",
"The Base DN appears to be wrong" : "Oinarrizko DN gaizki dagoela dirudi",
"Testing configuration…" : "Konfigurazioa probatzen…",
diff --git a/apps/user_ldap/l10n/fa.js b/apps/user_ldap/l10n/fa.js
index fdd2746642709..60bf7b328bfc1 100644
--- a/apps/user_ldap/l10n/fa.js
+++ b/apps/user_ldap/l10n/fa.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Invalid configuration: Anonymous binding is not allowed.",
"Valid configuration, connection established!" : "Valid configuration, connection established!",
"Please login with the new password" : "Please login with the new password",
- "Action does not exist" : "Action does not exist",
"Failed to clear the mappings." : "عدم موفقیت در پاک کردن نگاشت.",
"LDAP User backend" : "LDAP User backend",
"Your password will expire tomorrow." : "Your password will expire tomorrow.",
@@ -154,6 +153,7 @@ OC.L10N.register(
"No configuration specified" : "هیچ پیکربندی مشخص نشده است",
"No data specified" : "داده ای مشخص نشده است",
"Invalid data specified" : "Invalid data specified",
+ "Action does not exist" : "Action does not exist",
"Renewing …" : "Renewing …",
"The Base DN appears to be wrong" : "The Base DN appears to be wrong",
"Testing configuration…" : "Testing configuration…",
diff --git a/apps/user_ldap/l10n/fa.json b/apps/user_ldap/l10n/fa.json
index 86a7c3da144d3..f164c9028d1c5 100644
--- a/apps/user_ldap/l10n/fa.json
+++ b/apps/user_ldap/l10n/fa.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Invalid configuration: Anonymous binding is not allowed.",
"Valid configuration, connection established!" : "Valid configuration, connection established!",
"Please login with the new password" : "Please login with the new password",
- "Action does not exist" : "Action does not exist",
"Failed to clear the mappings." : "عدم موفقیت در پاک کردن نگاشت.",
"LDAP User backend" : "LDAP User backend",
"Your password will expire tomorrow." : "Your password will expire tomorrow.",
@@ -152,6 +151,7 @@
"No configuration specified" : "هیچ پیکربندی مشخص نشده است",
"No data specified" : "داده ای مشخص نشده است",
"Invalid data specified" : "Invalid data specified",
+ "Action does not exist" : "Action does not exist",
"Renewing …" : "Renewing …",
"The Base DN appears to be wrong" : "The Base DN appears to be wrong",
"Testing configuration…" : "Testing configuration…",
diff --git a/apps/user_ldap/l10n/fr.js b/apps/user_ldap/l10n/fr.js
index 9f8bf9c5f4fda..1a279043c2b49 100644
--- a/apps/user_ldap/l10n/fr.js
+++ b/apps/user_ldap/l10n/fr.js
@@ -18,7 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuration non valable : Le lien anonyme n'est pas autorisé.",
"Valid configuration, connection established!" : "Configuration valide, connexion établie !",
"Please login with the new password" : "Veuillez vous connecter avec le nouveau mot de passe",
- "Action does not exist" : "L'action n'existe pas",
"Failed to clear the mappings." : "Erreur lors de la suppression des associations.",
"LDAP User backend" : "Infrastructure utilisateur LDAP",
"Your password will expire tomorrow." : "Votre mot de passe expirera demain",
@@ -198,6 +197,7 @@ OC.L10N.register(
"No data specified" : "Aucune donnée spécifiée",
"Invalid data specified" : "Données spécifiées invalides",
"Could not set configuration %1$s to %2$s" : "Impossible de changer la configuration %1$s pour %2$s",
+ "Action does not exist" : "L'action n'existe pas",
"Renewing …" : "Renouvellement en cours...",
"The Base DN appears to be wrong" : "Le DN de base semble être erroné",
"Testing configuration…" : "Test de configuration",
diff --git a/apps/user_ldap/l10n/fr.json b/apps/user_ldap/l10n/fr.json
index cc38690a81a4a..2d1e07c86da31 100644
--- a/apps/user_ldap/l10n/fr.json
+++ b/apps/user_ldap/l10n/fr.json
@@ -16,7 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuration non valable : Le lien anonyme n'est pas autorisé.",
"Valid configuration, connection established!" : "Configuration valide, connexion établie !",
"Please login with the new password" : "Veuillez vous connecter avec le nouveau mot de passe",
- "Action does not exist" : "L'action n'existe pas",
"Failed to clear the mappings." : "Erreur lors de la suppression des associations.",
"LDAP User backend" : "Infrastructure utilisateur LDAP",
"Your password will expire tomorrow." : "Votre mot de passe expirera demain",
@@ -196,6 +195,7 @@
"No data specified" : "Aucune donnée spécifiée",
"Invalid data specified" : "Données spécifiées invalides",
"Could not set configuration %1$s to %2$s" : "Impossible de changer la configuration %1$s pour %2$s",
+ "Action does not exist" : "L'action n'existe pas",
"Renewing …" : "Renouvellement en cours...",
"The Base DN appears to be wrong" : "Le DN de base semble être erroné",
"Testing configuration…" : "Test de configuration",
diff --git a/apps/user_ldap/l10n/ga.js b/apps/user_ldap/l10n/ga.js
index d5f23eaa5c305..199af30b13dae 100644
--- a/apps/user_ldap/l10n/ga.js
+++ b/apps/user_ldap/l10n/ga.js
@@ -18,8 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Cumraíocht neamhbhailí: Ní cheadaítear ceangal gan ainm.",
"Valid configuration, connection established!" : "Cumraíocht bhailí, nasc bunaithe!",
"Please login with the new password" : "Logáil isteach leis an bpasfhocal nua le do thoil",
- "Action does not exist" : "Ní gníomh ann",
- "Unsupported subject " : "Ábhar gan tacaíocht",
"Failed to clear the mappings." : "Theip ar na mapálacha a ghlanadh.",
"LDAP User backend" : "Inneall Úsáideora LDAP",
"Your password will expire tomorrow." : "Rachaidh do phasfhocal in éag amárach.",
@@ -216,6 +214,7 @@ OC.L10N.register(
"No data specified" : "Níor sonraíodh aon sonraí",
"Invalid data specified" : "Sonraí neamhbhailí",
"Could not set configuration %1$s to %2$s" : "Níorbh fhéidir cumraíocht %1$s a shocrú go %2$s",
+ "Action does not exist" : "Ní gníomh ann",
"Renewing …" : "Ag athnuachan…",
"The Base DN appears to be wrong" : "Is cosúil go bhfuil an Base DN mícheart",
"Testing configuration…" : "Cumraíocht á thástáil…",
diff --git a/apps/user_ldap/l10n/ga.json b/apps/user_ldap/l10n/ga.json
index 91e6db5b62251..b2ae92c087ebe 100644
--- a/apps/user_ldap/l10n/ga.json
+++ b/apps/user_ldap/l10n/ga.json
@@ -16,8 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Cumraíocht neamhbhailí: Ní cheadaítear ceangal gan ainm.",
"Valid configuration, connection established!" : "Cumraíocht bhailí, nasc bunaithe!",
"Please login with the new password" : "Logáil isteach leis an bpasfhocal nua le do thoil",
- "Action does not exist" : "Ní gníomh ann",
- "Unsupported subject " : "Ábhar gan tacaíocht",
"Failed to clear the mappings." : "Theip ar na mapálacha a ghlanadh.",
"LDAP User backend" : "Inneall Úsáideora LDAP",
"Your password will expire tomorrow." : "Rachaidh do phasfhocal in éag amárach.",
@@ -214,6 +212,7 @@
"No data specified" : "Níor sonraíodh aon sonraí",
"Invalid data specified" : "Sonraí neamhbhailí",
"Could not set configuration %1$s to %2$s" : "Níorbh fhéidir cumraíocht %1$s a shocrú go %2$s",
+ "Action does not exist" : "Ní gníomh ann",
"Renewing …" : "Ag athnuachan…",
"The Base DN appears to be wrong" : "Is cosúil go bhfuil an Base DN mícheart",
"Testing configuration…" : "Cumraíocht á thástáil…",
diff --git a/apps/user_ldap/l10n/gl.js b/apps/user_ldap/l10n/gl.js
index c3e67338b6de3..4f72c7f2a8512 100644
--- a/apps/user_ldap/l10n/gl.js
+++ b/apps/user_ldap/l10n/gl.js
@@ -18,8 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "A configuración non é correcta: a vinculación non está permitida.",
"Valid configuration, connection established!" : "A configuración é correcta, estabeleceuse a conexión!",
"Please login with the new password" : "Acceda co novo contrasinal",
- "Action does not exist" : "Non existe esta acción",
- "Unsupported subject " : "Suxeito non admitido",
"Failed to clear the mappings." : "Non foi posíbel limpar as asignacións.",
"LDAP User backend" : "Infraestrutura do usuario LDAP",
"Your password will expire tomorrow." : "O seu contrasinal caduca mañá.",
@@ -216,6 +214,7 @@ OC.L10N.register(
"No data specified" : "Non se especificaron datos",
"Invalid data specified" : "Datos especificados non válidos",
"Could not set configuration %1$s to %2$s" : "Non foi posíbel definir a configuración %1$s a %2$s",
+ "Action does not exist" : "Non existe esta acción",
"Renewing …" : "Renovando…",
"The Base DN appears to be wrong" : "O DN base semella ser erróneo",
"Testing configuration…" : "Probando a configuración…",
diff --git a/apps/user_ldap/l10n/gl.json b/apps/user_ldap/l10n/gl.json
index f987dba21e6d3..73bcbe0152a07 100644
--- a/apps/user_ldap/l10n/gl.json
+++ b/apps/user_ldap/l10n/gl.json
@@ -16,8 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "A configuración non é correcta: a vinculación non está permitida.",
"Valid configuration, connection established!" : "A configuración é correcta, estabeleceuse a conexión!",
"Please login with the new password" : "Acceda co novo contrasinal",
- "Action does not exist" : "Non existe esta acción",
- "Unsupported subject " : "Suxeito non admitido",
"Failed to clear the mappings." : "Non foi posíbel limpar as asignacións.",
"LDAP User backend" : "Infraestrutura do usuario LDAP",
"Your password will expire tomorrow." : "O seu contrasinal caduca mañá.",
@@ -214,6 +212,7 @@
"No data specified" : "Non se especificaron datos",
"Invalid data specified" : "Datos especificados non válidos",
"Could not set configuration %1$s to %2$s" : "Non foi posíbel definir a configuración %1$s a %2$s",
+ "Action does not exist" : "Non existe esta acción",
"Renewing …" : "Renovando…",
"The Base DN appears to be wrong" : "O DN base semella ser erróneo",
"Testing configuration…" : "Probando a configuración…",
diff --git a/apps/user_ldap/l10n/he.js b/apps/user_ldap/l10n/he.js
index 9b470a9a0be69..3f43fc8c4e878 100644
--- a/apps/user_ldap/l10n/he.js
+++ b/apps/user_ldap/l10n/he.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "תצורה שגויה: איגוד אלמוני אסור.",
"Valid configuration, connection established!" : "התצורה תקפה, התבצע חיבור!",
"Please login with the new password" : "נא להיכנס עם הססמה החדשה",
- "Action does not exist" : "פעולה לא קיימת",
"Failed to clear the mappings." : "כשל בניקוי המיפויים.",
"Your password will expire tomorrow." : "הססמה שלך תפוג מחר.",
"Your password will expire today." : "הססמה שלך תפוג היום.",
@@ -115,6 +114,7 @@ OC.L10N.register(
"No action specified" : "לא צויינה פעולה",
"No configuration specified" : "לא הוגדרה תצורה",
"No data specified" : "לא הוגדר מידע",
+ "Action does not exist" : "פעולה לא קיימת",
"Renewing …" : "מתבצע חידוש…",
"The Base DN appears to be wrong" : "בסיס DN נראה כשגוי",
"Testing configuration…" : "בדיקת תצורה...",
diff --git a/apps/user_ldap/l10n/he.json b/apps/user_ldap/l10n/he.json
index a01eacdaf5ce6..7c9b2deefbee6 100644
--- a/apps/user_ldap/l10n/he.json
+++ b/apps/user_ldap/l10n/he.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "תצורה שגויה: איגוד אלמוני אסור.",
"Valid configuration, connection established!" : "התצורה תקפה, התבצע חיבור!",
"Please login with the new password" : "נא להיכנס עם הססמה החדשה",
- "Action does not exist" : "פעולה לא קיימת",
"Failed to clear the mappings." : "כשל בניקוי המיפויים.",
"Your password will expire tomorrow." : "הססמה שלך תפוג מחר.",
"Your password will expire today." : "הססמה שלך תפוג היום.",
@@ -113,6 +112,7 @@
"No action specified" : "לא צויינה פעולה",
"No configuration specified" : "לא הוגדרה תצורה",
"No data specified" : "לא הוגדר מידע",
+ "Action does not exist" : "פעולה לא קיימת",
"Renewing …" : "מתבצע חידוש…",
"The Base DN appears to be wrong" : "בסיס DN נראה כשגוי",
"Testing configuration…" : "בדיקת תצורה...",
diff --git a/apps/user_ldap/l10n/hr.js b/apps/user_ldap/l10n/hr.js
index 552d6da4e78dc..b93d711a21a23 100644
--- a/apps/user_ldap/l10n/hr.js
+++ b/apps/user_ldap/l10n/hr.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Nevažeća konfiguracija: nije dopušteno anonimno povezivanje.",
"Valid configuration, connection established!" : "Važeća konfiguracija, veza je uspostavljena!",
"Please login with the new password" : "Prijavite se novom zaporkom",
- "Action does not exist" : "Radnja ne postoji",
"Failed to clear the mappings." : "Brisanje karata nije uspjelo.",
"LDAP User backend" : "LDAP korisnički pozadinski sustav",
"Your password will expire tomorrow." : "Vaša zaporka istječe sutra.",
@@ -136,6 +135,7 @@ OC.L10N.register(
"No action specified" : "Nije navedena nijedna radnja",
"No configuration specified" : "Nije navedena konfiguracija",
"No data specified" : "Nema podataka",
+ "Action does not exist" : "Radnja ne postoji",
"Renewing …" : "Obnavljanje...",
"The Base DN appears to be wrong" : "Čini se da Base DN nije točan",
"Testing configuration…" : "Ispitivanje konfiguracije...",
diff --git a/apps/user_ldap/l10n/hr.json b/apps/user_ldap/l10n/hr.json
index d3b38783ba0f7..a0b45eeb2c8c6 100644
--- a/apps/user_ldap/l10n/hr.json
+++ b/apps/user_ldap/l10n/hr.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Nevažeća konfiguracija: nije dopušteno anonimno povezivanje.",
"Valid configuration, connection established!" : "Važeća konfiguracija, veza je uspostavljena!",
"Please login with the new password" : "Prijavite se novom zaporkom",
- "Action does not exist" : "Radnja ne postoji",
"Failed to clear the mappings." : "Brisanje karata nije uspjelo.",
"LDAP User backend" : "LDAP korisnički pozadinski sustav",
"Your password will expire tomorrow." : "Vaša zaporka istječe sutra.",
@@ -134,6 +133,7 @@
"No action specified" : "Nije navedena nijedna radnja",
"No configuration specified" : "Nije navedena konfiguracija",
"No data specified" : "Nema podataka",
+ "Action does not exist" : "Radnja ne postoji",
"Renewing …" : "Obnavljanje...",
"The Base DN appears to be wrong" : "Čini se da Base DN nije točan",
"Testing configuration…" : "Ispitivanje konfiguracije...",
diff --git a/apps/user_ldap/l10n/hu.js b/apps/user_ldap/l10n/hu.js
index 9f238b21d61e6..07aa3802ed2e7 100644
--- a/apps/user_ldap/l10n/hu.js
+++ b/apps/user_ldap/l10n/hu.js
@@ -18,7 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Érvénytelen beállítások: Az anonim kötés nem engedélyezett.",
"Valid configuration, connection established!" : "Érvényes beállítások, a kapcsolat létrejött.",
"Please login with the new password" : "Jelentkezzen be az új jelszóval",
- "Action does not exist" : "A művelet nem létezik",
"Failed to clear the mappings." : "Nem sikerült törölni a hozzárendeléseket.",
"LDAP User backend" : "LDAP felhasználói háttérszolgáltatás",
"Your password will expire tomorrow." : "A jelszava holnap lejár.",
@@ -209,6 +208,7 @@ OC.L10N.register(
"No data specified" : "Nincsenek megadva adatok",
"Invalid data specified" : "A megadott adatok érvénytelenek",
"Could not set configuration %1$s to %2$s" : "A(z) %1$s konfiguráció nem állítható be erre: %2$s",
+ "Action does not exist" : "A művelet nem létezik",
"Renewing …" : "Megújítás…",
"The Base DN appears to be wrong" : "Úgy tűnik, hogy az alap DN hibás",
"Testing configuration…" : "Beállítások ellenőrzése…",
diff --git a/apps/user_ldap/l10n/hu.json b/apps/user_ldap/l10n/hu.json
index 6af10fd149a9d..e6834e8311915 100644
--- a/apps/user_ldap/l10n/hu.json
+++ b/apps/user_ldap/l10n/hu.json
@@ -16,7 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Érvénytelen beállítások: Az anonim kötés nem engedélyezett.",
"Valid configuration, connection established!" : "Érvényes beállítások, a kapcsolat létrejött.",
"Please login with the new password" : "Jelentkezzen be az új jelszóval",
- "Action does not exist" : "A művelet nem létezik",
"Failed to clear the mappings." : "Nem sikerült törölni a hozzárendeléseket.",
"LDAP User backend" : "LDAP felhasználói háttérszolgáltatás",
"Your password will expire tomorrow." : "A jelszava holnap lejár.",
@@ -207,6 +206,7 @@
"No data specified" : "Nincsenek megadva adatok",
"Invalid data specified" : "A megadott adatok érvénytelenek",
"Could not set configuration %1$s to %2$s" : "A(z) %1$s konfiguráció nem állítható be erre: %2$s",
+ "Action does not exist" : "A művelet nem létezik",
"Renewing …" : "Megújítás…",
"The Base DN appears to be wrong" : "Úgy tűnik, hogy az alap DN hibás",
"Testing configuration…" : "Beállítások ellenőrzése…",
diff --git a/apps/user_ldap/l10n/id.js b/apps/user_ldap/l10n/id.js
index 9a490ee23d0e4..1c8207f259382 100644
--- a/apps/user_ldap/l10n/id.js
+++ b/apps/user_ldap/l10n/id.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Konfigurasi tidak valid: Pengikatan anonim tidak diizinkan.",
"Valid configuration, connection established!" : "Konfigurasi valid, terhubung!",
"Please login with the new password" : "Silakan log masuk dengan kata sandi baru",
- "Action does not exist" : "Tidak ada tindakan",
"Failed to clear the mappings." : "Gagal membersihkan pemetaan.",
"LDAP User backend" : "Backend pengguna",
"Your password will expire tomorrow." : "Kata sandi Anda akan kedaluwarsa besok.",
@@ -130,6 +129,7 @@ OC.L10N.register(
"No action specified" : "Tidak ada tindakan yang ditetapkan",
"No configuration specified" : "Tidak ada konfigurasi yang ditetapkan",
"No data specified" : "Tidak ada data yang ditetapkan",
+ "Action does not exist" : "Tidak ada tindakan",
"Renewing …" : "Memperbarui ...",
"The Base DN appears to be wrong" : "Base DN tampaknya salah",
"Testing configuration…" : "Menguji konfigurasi...",
diff --git a/apps/user_ldap/l10n/id.json b/apps/user_ldap/l10n/id.json
index 63ddbcf39c46c..1ad22796034c0 100644
--- a/apps/user_ldap/l10n/id.json
+++ b/apps/user_ldap/l10n/id.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Konfigurasi tidak valid: Pengikatan anonim tidak diizinkan.",
"Valid configuration, connection established!" : "Konfigurasi valid, terhubung!",
"Please login with the new password" : "Silakan log masuk dengan kata sandi baru",
- "Action does not exist" : "Tidak ada tindakan",
"Failed to clear the mappings." : "Gagal membersihkan pemetaan.",
"LDAP User backend" : "Backend pengguna",
"Your password will expire tomorrow." : "Kata sandi Anda akan kedaluwarsa besok.",
@@ -128,6 +127,7 @@
"No action specified" : "Tidak ada tindakan yang ditetapkan",
"No configuration specified" : "Tidak ada konfigurasi yang ditetapkan",
"No data specified" : "Tidak ada data yang ditetapkan",
+ "Action does not exist" : "Tidak ada tindakan",
"Renewing …" : "Memperbarui ...",
"The Base DN appears to be wrong" : "Base DN tampaknya salah",
"Testing configuration…" : "Menguji konfigurasi...",
diff --git a/apps/user_ldap/l10n/it.js b/apps/user_ldap/l10n/it.js
index d33e444d771b6..d88704100415f 100644
--- a/apps/user_ldap/l10n/it.js
+++ b/apps/user_ldap/l10n/it.js
@@ -17,7 +17,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "La configurazione non è valida: l'associazione anonima non è consentita.",
"Valid configuration, connection established!" : "Configurazione valida, connessione stabilita!",
"Please login with the new password" : "Accedi con la nuova password",
- "Action does not exist" : "L'azione non esiste",
"Failed to clear the mappings." : "Cancellazione delle associazioni non riuscita.",
"LDAP User backend" : "Motore Utenti LDAP",
"Your password will expire tomorrow." : "La tua password scadrà domani.",
@@ -206,6 +205,7 @@ OC.L10N.register(
"No data specified" : "Nessun dato specificato",
"Invalid data specified" : "Dati specificati non validi",
"Could not set configuration %1$s to %2$s" : "Impossibile impostare la configurazione %1$s in %2$s",
+ "Action does not exist" : "L'azione non esiste",
"Renewing …" : "Rinnovo...",
"The Base DN appears to be wrong" : "Il DN base sembra essere errato",
"Testing configuration…" : "Prova della configurazione...",
diff --git a/apps/user_ldap/l10n/it.json b/apps/user_ldap/l10n/it.json
index d614f3496cf14..d965931553a17 100644
--- a/apps/user_ldap/l10n/it.json
+++ b/apps/user_ldap/l10n/it.json
@@ -15,7 +15,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "La configurazione non è valida: l'associazione anonima non è consentita.",
"Valid configuration, connection established!" : "Configurazione valida, connessione stabilita!",
"Please login with the new password" : "Accedi con la nuova password",
- "Action does not exist" : "L'azione non esiste",
"Failed to clear the mappings." : "Cancellazione delle associazioni non riuscita.",
"LDAP User backend" : "Motore Utenti LDAP",
"Your password will expire tomorrow." : "La tua password scadrà domani.",
@@ -204,6 +203,7 @@
"No data specified" : "Nessun dato specificato",
"Invalid data specified" : "Dati specificati non validi",
"Could not set configuration %1$s to %2$s" : "Impossibile impostare la configurazione %1$s in %2$s",
+ "Action does not exist" : "L'azione non esiste",
"Renewing …" : "Rinnovo...",
"The Base DN appears to be wrong" : "Il DN base sembra essere errato",
"Testing configuration…" : "Prova della configurazione...",
diff --git a/apps/user_ldap/l10n/ja.js b/apps/user_ldap/l10n/ja.js
index 40c6b063a59c1..44afce95fe251 100644
--- a/apps/user_ldap/l10n/ja.js
+++ b/apps/user_ldap/l10n/ja.js
@@ -18,7 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "設定が間違っています: 匿名接続は、許可されていません。",
"Valid configuration, connection established!" : "正しい設定です。接続されました。",
"Please login with the new password" : "新しいパスワードでログインしてください",
- "Action does not exist" : "アクションが存在しません",
"Failed to clear the mappings." : "マッピングをクリアできませんでした。",
"LDAP User backend" : "LDAPユーザーバックエンド",
"Your password will expire tomorrow." : "パスワードが明日期限切れになります。",
@@ -209,6 +208,7 @@ OC.L10N.register(
"No data specified" : "データが指定されていません",
"Invalid data specified" : "無効なデータが指定されました",
"Could not set configuration %1$s to %2$s" : "構成%1$sを%2$sに設定できませんでした",
+ "Action does not exist" : "アクションが存在しません",
"Renewing …" : "更新中 ...",
"The Base DN appears to be wrong" : "ベース DN が誤っている可能性があります",
"Testing configuration…" : "設定検証中…",
diff --git a/apps/user_ldap/l10n/ja.json b/apps/user_ldap/l10n/ja.json
index a0c4fde4e4963..67d3f79101c79 100644
--- a/apps/user_ldap/l10n/ja.json
+++ b/apps/user_ldap/l10n/ja.json
@@ -16,7 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "設定が間違っています: 匿名接続は、許可されていません。",
"Valid configuration, connection established!" : "正しい設定です。接続されました。",
"Please login with the new password" : "新しいパスワードでログインしてください",
- "Action does not exist" : "アクションが存在しません",
"Failed to clear the mappings." : "マッピングをクリアできませんでした。",
"LDAP User backend" : "LDAPユーザーバックエンド",
"Your password will expire tomorrow." : "パスワードが明日期限切れになります。",
@@ -207,6 +206,7 @@
"No data specified" : "データが指定されていません",
"Invalid data specified" : "無効なデータが指定されました",
"Could not set configuration %1$s to %2$s" : "構成%1$sを%2$sに設定できませんでした",
+ "Action does not exist" : "アクションが存在しません",
"Renewing …" : "更新中 ...",
"The Base DN appears to be wrong" : "ベース DN が誤っている可能性があります",
"Testing configuration…" : "設定検証中…",
diff --git a/apps/user_ldap/l10n/ka.js b/apps/user_ldap/l10n/ka.js
index c3f6f177c47a1..bba1f98a7754d 100644
--- a/apps/user_ldap/l10n/ka.js
+++ b/apps/user_ldap/l10n/ka.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Invalid configuration: Anonymous binding is not allowed.",
"Valid configuration, connection established!" : "Valid configuration, connection established!",
"Please login with the new password" : "Please login with the new password",
- "Action does not exist" : "Action does not exist",
"Failed to clear the mappings." : "Failed to clear the mappings.",
"LDAP User backend" : "LDAP User backend",
"Your password will expire tomorrow." : "Your password will expire tomorrow.",
@@ -165,6 +164,7 @@ OC.L10N.register(
"No configuration specified" : "No configuration specified",
"No data specified" : "No data specified",
"Invalid data specified" : "Invalid data specified",
+ "Action does not exist" : "Action does not exist",
"Renewing …" : "Renewing …",
"The Base DN appears to be wrong" : "The Base DN appears to be wrong",
"Testing configuration…" : "Testing configuration…",
diff --git a/apps/user_ldap/l10n/ka.json b/apps/user_ldap/l10n/ka.json
index 6b0b9b8a15205..64dbdf7e3aeb7 100644
--- a/apps/user_ldap/l10n/ka.json
+++ b/apps/user_ldap/l10n/ka.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Invalid configuration: Anonymous binding is not allowed.",
"Valid configuration, connection established!" : "Valid configuration, connection established!",
"Please login with the new password" : "Please login with the new password",
- "Action does not exist" : "Action does not exist",
"Failed to clear the mappings." : "Failed to clear the mappings.",
"LDAP User backend" : "LDAP User backend",
"Your password will expire tomorrow." : "Your password will expire tomorrow.",
@@ -163,6 +162,7 @@
"No configuration specified" : "No configuration specified",
"No data specified" : "No data specified",
"Invalid data specified" : "Invalid data specified",
+ "Action does not exist" : "Action does not exist",
"Renewing …" : "Renewing …",
"The Base DN appears to be wrong" : "The Base DN appears to be wrong",
"Testing configuration…" : "Testing configuration…",
diff --git a/apps/user_ldap/l10n/ka_GE.js b/apps/user_ldap/l10n/ka_GE.js
index 085dfe2006734..66e0034d443f8 100644
--- a/apps/user_ldap/l10n/ka_GE.js
+++ b/apps/user_ldap/l10n/ka_GE.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "არასწორი კონფიგურაცია: ანონიმური კავშირები არაა დაშვებული.",
"Valid configuration, connection established!" : "სწორი კონფიგურაცია, კავშირი დამყარებულია!",
"Please login with the new password" : "გთხოვთ გაიაროთ ავტორიზაცია ახალი პაროლით",
- "Action does not exist" : "ქმედება არ არსებობს",
"Failed to clear the mappings." : "ბმების წაშლის დროს მოხდა შეცდომა.",
"Your password will expire tomorrow." : "თქვენი პაროლი გაუქმდება ხვალ.",
"Your password will expire today." : "თქვენი პაროლი გაუქმდება დღეს.",
@@ -124,6 +123,7 @@ OC.L10N.register(
"No action specified" : "ქმედება არ იყო სპეციფირებული",
"No configuration specified" : "კონფიგურაცია არ იყო სპეციფირებული",
"No data specified" : "მონაცემები არ იყო სპეციფირებული",
+ "Action does not exist" : "ქმედება არ არსებობს",
"Renewing …" : "განხილვა …",
"The Base DN appears to be wrong" : "საბაზისო DN როგორც ჩანს არასწორია",
"Testing configuration…" : "კონფიგურაციის შემოწმება…",
diff --git a/apps/user_ldap/l10n/ka_GE.json b/apps/user_ldap/l10n/ka_GE.json
index f08a832293071..fc641a8e7e0aa 100644
--- a/apps/user_ldap/l10n/ka_GE.json
+++ b/apps/user_ldap/l10n/ka_GE.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "არასწორი კონფიგურაცია: ანონიმური კავშირები არაა დაშვებული.",
"Valid configuration, connection established!" : "სწორი კონფიგურაცია, კავშირი დამყარებულია!",
"Please login with the new password" : "გთხოვთ გაიაროთ ავტორიზაცია ახალი პაროლით",
- "Action does not exist" : "ქმედება არ არსებობს",
"Failed to clear the mappings." : "ბმების წაშლის დროს მოხდა შეცდომა.",
"Your password will expire tomorrow." : "თქვენი პაროლი გაუქმდება ხვალ.",
"Your password will expire today." : "თქვენი პაროლი გაუქმდება დღეს.",
@@ -122,6 +121,7 @@
"No action specified" : "ქმედება არ იყო სპეციფირებული",
"No configuration specified" : "კონფიგურაცია არ იყო სპეციფირებული",
"No data specified" : "მონაცემები არ იყო სპეციფირებული",
+ "Action does not exist" : "ქმედება არ არსებობს",
"Renewing …" : "განხილვა …",
"The Base DN appears to be wrong" : "საბაზისო DN როგორც ჩანს არასწორია",
"Testing configuration…" : "კონფიგურაციის შემოწმება…",
diff --git a/apps/user_ldap/l10n/ko.js b/apps/user_ldap/l10n/ko.js
index de87c6b4ca82c..9db5ba9c3edec 100644
--- a/apps/user_ldap/l10n/ko.js
+++ b/apps/user_ldap/l10n/ko.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "설정 잘못됨: 익명 바인딩이 허용되지 않습니다.",
"Valid configuration, connection established!" : "설정 올바름, 연결되었습니다!",
"Please login with the new password" : "새 암호로 로그인하십시오",
- "Action does not exist" : "동작이 존재하지 않음",
"Failed to clear the mappings." : "매핑을 비울 수 없습니다.",
"LDAP User backend" : "사용자 백엔드",
"Your password will expire tomorrow." : "내 암호가 내일 만료됩니다.",
@@ -163,6 +162,7 @@ OC.L10N.register(
"No configuration specified" : "설정이 지정되지 않음",
"No data specified" : "데이터가 지정되지 않음",
"Invalid data specified" : "잘못된 데이터가 특정됨",
+ "Action does not exist" : "동작이 존재하지 않음",
"Renewing …" : "갱신 중 …",
"The Base DN appears to be wrong" : "기본 DN이 올바르지 않습니다",
"Testing configuration…" : "설정 시험 중…",
diff --git a/apps/user_ldap/l10n/ko.json b/apps/user_ldap/l10n/ko.json
index 2f74109c0331a..dba252ee34f4b 100644
--- a/apps/user_ldap/l10n/ko.json
+++ b/apps/user_ldap/l10n/ko.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "설정 잘못됨: 익명 바인딩이 허용되지 않습니다.",
"Valid configuration, connection established!" : "설정 올바름, 연결되었습니다!",
"Please login with the new password" : "새 암호로 로그인하십시오",
- "Action does not exist" : "동작이 존재하지 않음",
"Failed to clear the mappings." : "매핑을 비울 수 없습니다.",
"LDAP User backend" : "사용자 백엔드",
"Your password will expire tomorrow." : "내 암호가 내일 만료됩니다.",
@@ -161,6 +160,7 @@
"No configuration specified" : "설정이 지정되지 않음",
"No data specified" : "데이터가 지정되지 않음",
"Invalid data specified" : "잘못된 데이터가 특정됨",
+ "Action does not exist" : "동작이 존재하지 않음",
"Renewing …" : "갱신 중 …",
"The Base DN appears to be wrong" : "기본 DN이 올바르지 않습니다",
"Testing configuration…" : "설정 시험 중…",
diff --git a/apps/user_ldap/l10n/lo.js b/apps/user_ldap/l10n/lo.js
index b6045c040c0b3..6716cd73c6818 100644
--- a/apps/user_ldap/l10n/lo.js
+++ b/apps/user_ldap/l10n/lo.js
@@ -18,7 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Invalid configuration: Anonymous binding is not allowed.",
"Valid configuration, connection established!" : "Valid configuration, connection established!",
"Please login with the new password" : "Please login with the new password",
- "Action does not exist" : "Action does not exist",
"Failed to clear the mappings." : "Failed to clear the mappings.",
"LDAP User backend" : "LDAP User backend",
"Your password will expire tomorrow." : "Your password will expire tomorrow.",
@@ -209,6 +208,7 @@ OC.L10N.register(
"No data specified" : "No data specified",
"Invalid data specified" : "Invalid data specified",
"Could not set configuration %1$s to %2$s" : "Could not set configuration %1$s to %2$s",
+ "Action does not exist" : "Action does not exist",
"Renewing …" : "Renewing …",
"The Base DN appears to be wrong" : "The Base DN appears to be wrong",
"Testing configuration…" : "Testing configuration…",
diff --git a/apps/user_ldap/l10n/lo.json b/apps/user_ldap/l10n/lo.json
index 2e9c1a1ee3234..a697ea1e8a377 100644
--- a/apps/user_ldap/l10n/lo.json
+++ b/apps/user_ldap/l10n/lo.json
@@ -16,7 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Invalid configuration: Anonymous binding is not allowed.",
"Valid configuration, connection established!" : "Valid configuration, connection established!",
"Please login with the new password" : "Please login with the new password",
- "Action does not exist" : "Action does not exist",
"Failed to clear the mappings." : "Failed to clear the mappings.",
"LDAP User backend" : "LDAP User backend",
"Your password will expire tomorrow." : "Your password will expire tomorrow.",
@@ -207,6 +206,7 @@
"No data specified" : "No data specified",
"Invalid data specified" : "Invalid data specified",
"Could not set configuration %1$s to %2$s" : "Could not set configuration %1$s to %2$s",
+ "Action does not exist" : "Action does not exist",
"Renewing …" : "Renewing …",
"The Base DN appears to be wrong" : "The Base DN appears to be wrong",
"Testing configuration…" : "Testing configuration…",
diff --git a/apps/user_ldap/l10n/lt_LT.js b/apps/user_ldap/l10n/lt_LT.js
index a38c9a9ef6f75..4a7bd91d8d45a 100644
--- a/apps/user_ldap/l10n/lt_LT.js
+++ b/apps/user_ldap/l10n/lt_LT.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Neteisinga konfigūracija: Anoniminis prisijungimas neleidžiamas.",
"Valid configuration, connection established!" : "Konfigūracija teisinga, ryšys užmegztas!",
"Please login with the new password" : "Prisijunkite naudodami naują slaptažodį",
- "Action does not exist" : "Veiksmo nėra",
"Failed to clear the mappings." : "Nepavyko išvalyti sąsajų.",
"LDAP User backend" : "LDAP naudotojo vidinė pusė",
"Your password will expire tomorrow." : "Jūsų slaptažodžio galiojimo laikas pasibaigs rytoj.",
@@ -122,6 +121,7 @@ OC.L10N.register(
"No action specified" : "Nenurodytas veiksmas",
"No configuration specified" : "Nenurodyta jokia konfigūracija",
"No data specified" : "Nepateikta duomenų",
+ "Action does not exist" : "Veiksmo nėra",
"Renewing …" : "Atnaujinama ...",
"The Base DN appears to be wrong" : "Neteisinga DN šaka ",
"Testing configuration…" : "Išbandoma konfigūracija…",
diff --git a/apps/user_ldap/l10n/lt_LT.json b/apps/user_ldap/l10n/lt_LT.json
index 361368ec12e13..d6b28248a860a 100644
--- a/apps/user_ldap/l10n/lt_LT.json
+++ b/apps/user_ldap/l10n/lt_LT.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Neteisinga konfigūracija: Anoniminis prisijungimas neleidžiamas.",
"Valid configuration, connection established!" : "Konfigūracija teisinga, ryšys užmegztas!",
"Please login with the new password" : "Prisijunkite naudodami naują slaptažodį",
- "Action does not exist" : "Veiksmo nėra",
"Failed to clear the mappings." : "Nepavyko išvalyti sąsajų.",
"LDAP User backend" : "LDAP naudotojo vidinė pusė",
"Your password will expire tomorrow." : "Jūsų slaptažodžio galiojimo laikas pasibaigs rytoj.",
@@ -120,6 +119,7 @@
"No action specified" : "Nenurodytas veiksmas",
"No configuration specified" : "Nenurodyta jokia konfigūracija",
"No data specified" : "Nepateikta duomenų",
+ "Action does not exist" : "Veiksmo nėra",
"Renewing …" : "Atnaujinama ...",
"The Base DN appears to be wrong" : "Neteisinga DN šaka ",
"Testing configuration…" : "Išbandoma konfigūracija…",
diff --git a/apps/user_ldap/l10n/nb.js b/apps/user_ldap/l10n/nb.js
index 03beef44aee90..e8fb8a81f8058 100644
--- a/apps/user_ldap/l10n/nb.js
+++ b/apps/user_ldap/l10n/nb.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Oppsettet er ugyldig: Anonym binding er ikke tillatt.",
"Valid configuration, connection established!" : "Gyldig oppsett, tilkoblet.",
"Please login with the new password" : "Logg inn med det nye passordet",
- "Action does not exist" : "Handlingen finnes ikke",
"Failed to clear the mappings." : "Klarte ikke å nullstille tilknytningene.",
"LDAP User backend" : "LDAP-brukerbackend",
"Your password will expire tomorrow." : "Passordet ditt utløper i morgen.",
@@ -169,6 +168,7 @@ OC.L10N.register(
"No configuration specified" : "Ingen oppsett spesifisert",
"No data specified" : "Ingen data spesifisert",
"Invalid data specified" : "Ugyldige data er spesifisert",
+ "Action does not exist" : "Handlingen finnes ikke",
"Renewing …" : "Fornyer…",
"The Base DN appears to be wrong" : "Basis DN er feil",
"Testing configuration…" : "Tester oppsettet…",
diff --git a/apps/user_ldap/l10n/nb.json b/apps/user_ldap/l10n/nb.json
index 02a85b67549f6..9bcfc425ba90c 100644
--- a/apps/user_ldap/l10n/nb.json
+++ b/apps/user_ldap/l10n/nb.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Oppsettet er ugyldig: Anonym binding er ikke tillatt.",
"Valid configuration, connection established!" : "Gyldig oppsett, tilkoblet.",
"Please login with the new password" : "Logg inn med det nye passordet",
- "Action does not exist" : "Handlingen finnes ikke",
"Failed to clear the mappings." : "Klarte ikke å nullstille tilknytningene.",
"LDAP User backend" : "LDAP-brukerbackend",
"Your password will expire tomorrow." : "Passordet ditt utløper i morgen.",
@@ -167,6 +166,7 @@
"No configuration specified" : "Ingen oppsett spesifisert",
"No data specified" : "Ingen data spesifisert",
"Invalid data specified" : "Ugyldige data er spesifisert",
+ "Action does not exist" : "Handlingen finnes ikke",
"Renewing …" : "Fornyer…",
"The Base DN appears to be wrong" : "Basis DN er feil",
"Testing configuration…" : "Tester oppsettet…",
diff --git a/apps/user_ldap/l10n/nl.js b/apps/user_ldap/l10n/nl.js
index d079d47fc4c9d..699bccd9e0680 100644
--- a/apps/user_ldap/l10n/nl.js
+++ b/apps/user_ldap/l10n/nl.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "De configuratie is ongeldig: anonieme bind is niet toegestaan.",
"Valid configuration, connection established!" : "Geldige configuratie, verbinding tot stand gebracht",
"Please login with the new password" : "Login met je nieuwe wachtwoord",
- "Action does not exist" : "Actie bestaat niet",
"Failed to clear the mappings." : "Niet gelukt de vertalingen leeg te maken.",
"LDAP User backend" : "LDAP User backend",
"Your password will expire tomorrow." : "Je wachtwoord vervalt morgen.",
@@ -136,6 +135,7 @@ OC.L10N.register(
"No action specified" : "Geen actie opgegeven",
"No configuration specified" : "Geen configuratie opgegeven",
"No data specified" : "Geen gegevens verstrekt",
+ "Action does not exist" : "Actie bestaat niet",
"Renewing …" : "Herstellen ...",
"The Base DN appears to be wrong" : "De Basis DN lijkt onjuist",
"Testing configuration…" : "Testen van de configuratie…",
diff --git a/apps/user_ldap/l10n/nl.json b/apps/user_ldap/l10n/nl.json
index 4ed0593ad017e..c6479d988c9ea 100644
--- a/apps/user_ldap/l10n/nl.json
+++ b/apps/user_ldap/l10n/nl.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "De configuratie is ongeldig: anonieme bind is niet toegestaan.",
"Valid configuration, connection established!" : "Geldige configuratie, verbinding tot stand gebracht",
"Please login with the new password" : "Login met je nieuwe wachtwoord",
- "Action does not exist" : "Actie bestaat niet",
"Failed to clear the mappings." : "Niet gelukt de vertalingen leeg te maken.",
"LDAP User backend" : "LDAP User backend",
"Your password will expire tomorrow." : "Je wachtwoord vervalt morgen.",
@@ -134,6 +133,7 @@
"No action specified" : "Geen actie opgegeven",
"No configuration specified" : "Geen configuratie opgegeven",
"No data specified" : "Geen gegevens verstrekt",
+ "Action does not exist" : "Actie bestaat niet",
"Renewing …" : "Herstellen ...",
"The Base DN appears to be wrong" : "De Basis DN lijkt onjuist",
"Testing configuration…" : "Testen van de configuratie…",
diff --git a/apps/user_ldap/l10n/pl.js b/apps/user_ldap/l10n/pl.js
index 9aac14f5387a8..5b166a52add9a 100644
--- a/apps/user_ldap/l10n/pl.js
+++ b/apps/user_ldap/l10n/pl.js
@@ -18,7 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Nieprawidłowa konfiguracja: Anonimowe podpinanie jest niedozwolone.",
"Valid configuration, connection established!" : "Konfiguracja poprawna, połączenie ustanowione!",
"Please login with the new password" : "Zaloguj się przy użyciu nowego hasła",
- "Action does not exist" : "Akcja nie istnieje",
"Failed to clear the mappings." : "Nie udało się wyczyścić mapowania.",
"LDAP User backend" : "Moduł użytkownika LDAP",
"Your password will expire tomorrow." : "Twoje hasło wygasa jutro.",
@@ -208,6 +207,7 @@ OC.L10N.register(
"No data specified" : "Nie określono danych",
"Invalid data specified" : "Podano nieprawidłowe dane",
"Could not set configuration %1$s to %2$s" : "Nie można ustawić konfiguracji %1$s na %2$s",
+ "Action does not exist" : "Akcja nie istnieje",
"Renewing …" : "Odnawianie…",
"The Base DN appears to be wrong" : "Base DN wygląda na błedne",
"Testing configuration…" : "Testowanie konfiguracji…",
diff --git a/apps/user_ldap/l10n/pl.json b/apps/user_ldap/l10n/pl.json
index f7c7c6b729511..b6b32edf5e433 100644
--- a/apps/user_ldap/l10n/pl.json
+++ b/apps/user_ldap/l10n/pl.json
@@ -16,7 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Nieprawidłowa konfiguracja: Anonimowe podpinanie jest niedozwolone.",
"Valid configuration, connection established!" : "Konfiguracja poprawna, połączenie ustanowione!",
"Please login with the new password" : "Zaloguj się przy użyciu nowego hasła",
- "Action does not exist" : "Akcja nie istnieje",
"Failed to clear the mappings." : "Nie udało się wyczyścić mapowania.",
"LDAP User backend" : "Moduł użytkownika LDAP",
"Your password will expire tomorrow." : "Twoje hasło wygasa jutro.",
@@ -206,6 +205,7 @@
"No data specified" : "Nie określono danych",
"Invalid data specified" : "Podano nieprawidłowe dane",
"Could not set configuration %1$s to %2$s" : "Nie można ustawić konfiguracji %1$s na %2$s",
+ "Action does not exist" : "Akcja nie istnieje",
"Renewing …" : "Odnawianie…",
"The Base DN appears to be wrong" : "Base DN wygląda na błedne",
"Testing configuration…" : "Testowanie konfiguracji…",
diff --git a/apps/user_ldap/l10n/pt_BR.js b/apps/user_ldap/l10n/pt_BR.js
index 5baa0c750d570..96d2254094043 100644
--- a/apps/user_ldap/l10n/pt_BR.js
+++ b/apps/user_ldap/l10n/pt_BR.js
@@ -18,8 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Configuração inválida: A ligação anônima não é permitida.",
"Valid configuration, connection established!" : "Configuração válida, conexão estabelecida!",
"Please login with the new password" : "Logue-se com a nova senha",
- "Action does not exist" : "A ação não existe",
- "Unsupported subject " : "Assunto não suportado",
"Failed to clear the mappings." : "Falhou ao limpar os mapeamentos.",
"LDAP User backend" : "Estrutura do Usuário LDAP",
"Your password will expire tomorrow." : "Sua senha vai expirar amanhã.",
@@ -216,6 +214,7 @@ OC.L10N.register(
"No data specified" : "Nenhum dado especificado",
"Invalid data specified" : "Dados inválidos especificados",
"Could not set configuration %1$s to %2$s" : "Não foi possível definir a configuração %1$s como %2$s",
+ "Action does not exist" : "A ação não existe",
"Renewing …" : "Renovando...",
"The Base DN appears to be wrong" : "A Base DN parece estar errada",
"Testing configuration…" : "Testando configuração...",
diff --git a/apps/user_ldap/l10n/pt_BR.json b/apps/user_ldap/l10n/pt_BR.json
index 92b7ad6b4484e..84e2c48e1ec4a 100644
--- a/apps/user_ldap/l10n/pt_BR.json
+++ b/apps/user_ldap/l10n/pt_BR.json
@@ -16,8 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Configuração inválida: A ligação anônima não é permitida.",
"Valid configuration, connection established!" : "Configuração válida, conexão estabelecida!",
"Please login with the new password" : "Logue-se com a nova senha",
- "Action does not exist" : "A ação não existe",
- "Unsupported subject " : "Assunto não suportado",
"Failed to clear the mappings." : "Falhou ao limpar os mapeamentos.",
"LDAP User backend" : "Estrutura do Usuário LDAP",
"Your password will expire tomorrow." : "Sua senha vai expirar amanhã.",
@@ -214,6 +212,7 @@
"No data specified" : "Nenhum dado especificado",
"Invalid data specified" : "Dados inválidos especificados",
"Could not set configuration %1$s to %2$s" : "Não foi possível definir a configuração %1$s como %2$s",
+ "Action does not exist" : "A ação não existe",
"Renewing …" : "Renovando...",
"The Base DN appears to be wrong" : "A Base DN parece estar errada",
"Testing configuration…" : "Testando configuração...",
diff --git a/apps/user_ldap/l10n/pt_PT.js b/apps/user_ldap/l10n/pt_PT.js
index c5501401c95b0..bba0b1125e5ff 100644
--- a/apps/user_ldap/l10n/pt_PT.js
+++ b/apps/user_ldap/l10n/pt_PT.js
@@ -6,7 +6,6 @@ OC.L10N.register(
"So-so password" : "Palavra-passe aceitável",
"Good password" : "Palavra-passe boa",
"Strong password" : "Palavra-passe forte",
- "Action does not exist" : "A ação não existe",
"Failed to clear the mappings." : "Não foi possível limpar os mapas.",
"LDAP Connection" : "Ligação LDAP",
"Could not find the desired feature" : "Não se encontrou a função desejada",
@@ -100,6 +99,7 @@ OC.L10N.register(
"No action specified" : "Nenhuma ação especificada",
"No configuration specified" : "Nenhuma configuração especificada",
"No data specified" : "Nenhuns dados especificados",
+ "Action does not exist" : "A ação não existe",
"The Base DN appears to be wrong" : "O ND de Base parece estar errado",
"Testing configuration…" : "A testar a configuração…",
"Configuration incorrect" : "Configuração incorreta",
diff --git a/apps/user_ldap/l10n/pt_PT.json b/apps/user_ldap/l10n/pt_PT.json
index 21b999aa4f2e0..eb2db40a231a5 100644
--- a/apps/user_ldap/l10n/pt_PT.json
+++ b/apps/user_ldap/l10n/pt_PT.json
@@ -4,7 +4,6 @@
"So-so password" : "Palavra-passe aceitável",
"Good password" : "Palavra-passe boa",
"Strong password" : "Palavra-passe forte",
- "Action does not exist" : "A ação não existe",
"Failed to clear the mappings." : "Não foi possível limpar os mapas.",
"LDAP Connection" : "Ligação LDAP",
"Could not find the desired feature" : "Não se encontrou a função desejada",
@@ -98,6 +97,7 @@
"No action specified" : "Nenhuma ação especificada",
"No configuration specified" : "Nenhuma configuração especificada",
"No data specified" : "Nenhuns dados especificados",
+ "Action does not exist" : "A ação não existe",
"The Base DN appears to be wrong" : "O ND de Base parece estar errado",
"Testing configuration…" : "A testar a configuração…",
"Configuration incorrect" : "Configuração incorreta",
diff --git a/apps/user_ldap/l10n/ru.js b/apps/user_ldap/l10n/ru.js
index 067df6c0b3fc6..7a675813e5aa8 100644
--- a/apps/user_ldap/l10n/ru.js
+++ b/apps/user_ldap/l10n/ru.js
@@ -18,7 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Неверная конфигурация: анонимное связывание не разрешается.",
"Valid configuration, connection established!" : "Конфигурация настроена верно, связь установлена!",
"Please login with the new password" : "Войдите в систему со своим новым паролем",
- "Action does not exist" : "Действие не существует",
"Failed to clear the mappings." : "Не удалось очистить соответствия.",
"LDAP User backend" : "Механизм учета пользователей LDAP",
"Your password will expire tomorrow." : "Завтра истекает срок действия пароля.",
@@ -209,6 +208,7 @@ OC.L10N.register(
"No data specified" : "Нет данных",
"Invalid data specified" : "Указаны некорректные данные",
"Could not set configuration %1$s to %2$s" : "Не удалось задать конфигурацию %1$s для %2$s",
+ "Action does not exist" : "Действие не существует",
"Renewing …" : "Обновление…",
"The Base DN appears to be wrong" : "База поиска DN по всей видимости указана неправильно",
"Testing configuration…" : "Проверка конфигурации…",
diff --git a/apps/user_ldap/l10n/ru.json b/apps/user_ldap/l10n/ru.json
index 44594eed20223..aac3f67dbf45a 100644
--- a/apps/user_ldap/l10n/ru.json
+++ b/apps/user_ldap/l10n/ru.json
@@ -16,7 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Неверная конфигурация: анонимное связывание не разрешается.",
"Valid configuration, connection established!" : "Конфигурация настроена верно, связь установлена!",
"Please login with the new password" : "Войдите в систему со своим новым паролем",
- "Action does not exist" : "Действие не существует",
"Failed to clear the mappings." : "Не удалось очистить соответствия.",
"LDAP User backend" : "Механизм учета пользователей LDAP",
"Your password will expire tomorrow." : "Завтра истекает срок действия пароля.",
@@ -207,6 +206,7 @@
"No data specified" : "Нет данных",
"Invalid data specified" : "Указаны некорректные данные",
"Could not set configuration %1$s to %2$s" : "Не удалось задать конфигурацию %1$s для %2$s",
+ "Action does not exist" : "Действие не существует",
"Renewing …" : "Обновление…",
"The Base DN appears to be wrong" : "База поиска DN по всей видимости указана неправильно",
"Testing configuration…" : "Проверка конфигурации…",
diff --git a/apps/user_ldap/l10n/sc.js b/apps/user_ldap/l10n/sc.js
index 46896f699c40c..8c1ca2c6e3e67 100644
--- a/apps/user_ldap/l10n/sc.js
+++ b/apps/user_ldap/l10n/sc.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Cunfiguratzione non bàlida: is ligòngios anònimos no sunt permìtidos.",
"Valid configuration, connection established!" : "Cunfiguratzione bàlida, connessione istabilida!",
"Please login with the new password" : "Torra a fàghere s'atzessu cun sa crae noa",
- "Action does not exist" : "S'atzione no esistit",
"Failed to clear the mappings." : "Impossìbile a limpiare is assignatziones.",
"LDAP User backend" : "Motore utente LDAP",
"Your password will expire tomorrow." : "Sa crae tua at a iscadire cras.",
@@ -145,6 +144,7 @@ OC.L10N.register(
"No action specified" : "Peruna atzione ispetzificada",
"No configuration specified" : "Peruna cunfiguratzione ispetzificada",
"No data specified" : "Perunu datu ispetzificadu",
+ "Action does not exist" : "S'atzione no esistit",
"Renewing …" : "Renovende ...",
"The Base DN appears to be wrong" : "Sa Base DN parit isballiada",
"Testing configuration…" : "Proa de cunfiguratzione...",
diff --git a/apps/user_ldap/l10n/sc.json b/apps/user_ldap/l10n/sc.json
index 3924c5b029acc..1f60b294a1378 100644
--- a/apps/user_ldap/l10n/sc.json
+++ b/apps/user_ldap/l10n/sc.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Cunfiguratzione non bàlida: is ligòngios anònimos no sunt permìtidos.",
"Valid configuration, connection established!" : "Cunfiguratzione bàlida, connessione istabilida!",
"Please login with the new password" : "Torra a fàghere s'atzessu cun sa crae noa",
- "Action does not exist" : "S'atzione no esistit",
"Failed to clear the mappings." : "Impossìbile a limpiare is assignatziones.",
"LDAP User backend" : "Motore utente LDAP",
"Your password will expire tomorrow." : "Sa crae tua at a iscadire cras.",
@@ -143,6 +142,7 @@
"No action specified" : "Peruna atzione ispetzificada",
"No configuration specified" : "Peruna cunfiguratzione ispetzificada",
"No data specified" : "Perunu datu ispetzificadu",
+ "Action does not exist" : "S'atzione no esistit",
"Renewing …" : "Renovende ...",
"The Base DN appears to be wrong" : "Sa Base DN parit isballiada",
"Testing configuration…" : "Proa de cunfiguratzione...",
diff --git a/apps/user_ldap/l10n/sk.js b/apps/user_ldap/l10n/sk.js
index 6731d49c89084..1597db226762a 100644
--- a/apps/user_ldap/l10n/sk.js
+++ b/apps/user_ldap/l10n/sk.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Neplatné nastavenie: anonymné pripojenie nie je povolené.",
"Valid configuration, connection established!" : "Platná konfigurácia, spojenie nadviazané!",
"Please login with the new password" : "Prihláste sa prosím novým heslom",
- "Action does not exist" : "Takáto akcia neexistuje",
"Failed to clear the mappings." : "Nepodarilo sa vymazať mapovania.",
"LDAP User backend" : "Podporná vrstva pre LDAP používateľa",
"Your password will expire tomorrow." : "Vaše heslo expiruje zajtra.",
@@ -173,6 +172,7 @@ OC.L10N.register(
"No configuration specified" : "Nie je určená konfigurácia",
"No data specified" : "Nie sú vybraté dáta",
"Invalid data specified" : "Boli zadané neplatné dáta",
+ "Action does not exist" : "Takáto akcia neexistuje",
"Renewing …" : "Obnovujem...",
"The Base DN appears to be wrong" : "Základné DN je chybné",
"Testing configuration…" : "Overujú sa nastavenia...",
diff --git a/apps/user_ldap/l10n/sk.json b/apps/user_ldap/l10n/sk.json
index 7f1b214ec5963..269e3b61ff2a4 100644
--- a/apps/user_ldap/l10n/sk.json
+++ b/apps/user_ldap/l10n/sk.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Neplatné nastavenie: anonymné pripojenie nie je povolené.",
"Valid configuration, connection established!" : "Platná konfigurácia, spojenie nadviazané!",
"Please login with the new password" : "Prihláste sa prosím novým heslom",
- "Action does not exist" : "Takáto akcia neexistuje",
"Failed to clear the mappings." : "Nepodarilo sa vymazať mapovania.",
"LDAP User backend" : "Podporná vrstva pre LDAP používateľa",
"Your password will expire tomorrow." : "Vaše heslo expiruje zajtra.",
@@ -171,6 +170,7 @@
"No configuration specified" : "Nie je určená konfigurácia",
"No data specified" : "Nie sú vybraté dáta",
"Invalid data specified" : "Boli zadané neplatné dáta",
+ "Action does not exist" : "Takáto akcia neexistuje",
"Renewing …" : "Obnovujem...",
"The Base DN appears to be wrong" : "Základné DN je chybné",
"Testing configuration…" : "Overujú sa nastavenia...",
diff --git a/apps/user_ldap/l10n/sl.js b/apps/user_ldap/l10n/sl.js
index 7bb449b2fb020..845c4d007772a 100644
--- a/apps/user_ldap/l10n/sl.js
+++ b/apps/user_ldap/l10n/sl.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Neveljavne nastavitve: brezimne vezi niso dovoljene.",
"Valid configuration, connection established!" : "Veljavne nastavitve: povezava je vzpostavljena!",
"Please login with the new password" : "Prijavite se z novim geslom",
- "Action does not exist" : "Dejanje ne obstaja",
"Failed to clear the mappings." : "Čiščenje preslikav je spodletelo.",
"LDAP User backend" : "Uporabniška povezava LDAP",
"Your password will expire tomorrow." : "Vaše geslo bo jutri poteklo.",
@@ -144,6 +143,7 @@ OC.L10N.register(
"No configuration specified" : "Ni določenih nastavitev",
"No data specified" : "Ni navedenih podatkov",
"Invalid data specified" : "Določeni so neveljavni podatki",
+ "Action does not exist" : "Dejanje ne obstaja",
"Renewing …" : "Poteka ponastavljanje ...",
"The Base DN appears to be wrong" : "Enoznačno ime (DN) podatkovne zbirke je napačno",
"Testing configuration…" : "Poteka preizkušanje nastavitev ...",
diff --git a/apps/user_ldap/l10n/sl.json b/apps/user_ldap/l10n/sl.json
index 3e54ba1f42599..e4a195b31c40a 100644
--- a/apps/user_ldap/l10n/sl.json
+++ b/apps/user_ldap/l10n/sl.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Neveljavne nastavitve: brezimne vezi niso dovoljene.",
"Valid configuration, connection established!" : "Veljavne nastavitve: povezava je vzpostavljena!",
"Please login with the new password" : "Prijavite se z novim geslom",
- "Action does not exist" : "Dejanje ne obstaja",
"Failed to clear the mappings." : "Čiščenje preslikav je spodletelo.",
"LDAP User backend" : "Uporabniška povezava LDAP",
"Your password will expire tomorrow." : "Vaše geslo bo jutri poteklo.",
@@ -142,6 +141,7 @@
"No configuration specified" : "Ni določenih nastavitev",
"No data specified" : "Ni navedenih podatkov",
"Invalid data specified" : "Določeni so neveljavni podatki",
+ "Action does not exist" : "Dejanje ne obstaja",
"Renewing …" : "Poteka ponastavljanje ...",
"The Base DN appears to be wrong" : "Enoznačno ime (DN) podatkovne zbirke je napačno",
"Testing configuration…" : "Poteka preizkušanje nastavitev ...",
diff --git a/apps/user_ldap/l10n/sq.js b/apps/user_ldap/l10n/sq.js
index 07c590b281458..fe84680295149 100644
--- a/apps/user_ldap/l10n/sq.js
+++ b/apps/user_ldap/l10n/sq.js
@@ -10,7 +10,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Konfigurim i pavlefshëm: Lidhja anonim nuk është e lejueshme.",
"Valid configuration, connection established!" : "Konfigurim i vlefshëm, lidhja u krijuar!",
"Please login with the new password" : "Ju lutem kyçuni me fjalëkalimin e ri",
- "Action does not exist" : "Veprimi s’ekziston",
"Failed to clear the mappings." : "Dështoi në heqjen e përshoqërimeve.",
"Your password will expire tomorrow." : "Fjalëkalimi juaj do të skadojë nesër",
"Your password will expire today." : "Fjalëkalimi juaj do të skadojë sot.",
@@ -123,6 +122,7 @@ OC.L10N.register(
"No action specified" : "S’është treguar veprim",
"No configuration specified" : "S’u dha formësim",
"No data specified" : "S’u treguan të dhëna",
+ "Action does not exist" : "Veprimi s’ekziston",
"Renewing …" : "Duke rinovuar...",
"The Base DN appears to be wrong" : "DN-ja Bazë duket se është e gabuar",
"Testing configuration…" : "Po provohet formësimi…",
diff --git a/apps/user_ldap/l10n/sq.json b/apps/user_ldap/l10n/sq.json
index 397ca072b09b8..e8a48a2c235d8 100644
--- a/apps/user_ldap/l10n/sq.json
+++ b/apps/user_ldap/l10n/sq.json
@@ -8,7 +8,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Konfigurim i pavlefshëm: Lidhja anonim nuk është e lejueshme.",
"Valid configuration, connection established!" : "Konfigurim i vlefshëm, lidhja u krijuar!",
"Please login with the new password" : "Ju lutem kyçuni me fjalëkalimin e ri",
- "Action does not exist" : "Veprimi s’ekziston",
"Failed to clear the mappings." : "Dështoi në heqjen e përshoqërimeve.",
"Your password will expire tomorrow." : "Fjalëkalimi juaj do të skadojë nesër",
"Your password will expire today." : "Fjalëkalimi juaj do të skadojë sot.",
@@ -121,6 +120,7 @@
"No action specified" : "S’është treguar veprim",
"No configuration specified" : "S’u dha formësim",
"No data specified" : "S’u treguan të dhëna",
+ "Action does not exist" : "Veprimi s’ekziston",
"Renewing …" : "Duke rinovuar...",
"The Base DN appears to be wrong" : "DN-ja Bazë duket se është e gabuar",
"Testing configuration…" : "Po provohet formësimi…",
diff --git a/apps/user_ldap/l10n/sr.js b/apps/user_ldap/l10n/sr.js
index 5fb8f1f9b7493..9915b2aa36101 100644
--- a/apps/user_ldap/l10n/sr.js
+++ b/apps/user_ldap/l10n/sr.js
@@ -18,7 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Неисправна конфигурација: Анонимно везивање није дозвољено.",
"Valid configuration, connection established!" : "Исправна конфигурација, веза успостављена!",
"Please login with the new password" : "Пријавите се са новом лозинком",
- "Action does not exist" : "Радња не постоји",
"Failed to clear the mappings." : "Неуспело чишћење мапирања.",
"LDAP User backend" : "Позадински механизам за LDAP кориснике",
"Your password will expire tomorrow." : "Ваша лозинка ће истећи сутра.",
@@ -209,6 +208,7 @@ OC.L10N.register(
"No data specified" : "Нису наведени подаци",
"Invalid data specified" : "Наведени су неисправни подаци",
"Could not set configuration %1$s to %2$s" : "Конфигурација %1$s није могла да се постави на %2$s",
+ "Action does not exist" : "Радња не постоји",
"Renewing …" : "Обнављам …",
"The Base DN appears to be wrong" : "Базни ДН је изгледа погрешан",
"Testing configuration…" : "Тестирам конфигурацију…",
diff --git a/apps/user_ldap/l10n/sr.json b/apps/user_ldap/l10n/sr.json
index ab994401c11f0..c647b9778885c 100644
--- a/apps/user_ldap/l10n/sr.json
+++ b/apps/user_ldap/l10n/sr.json
@@ -16,7 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Неисправна конфигурација: Анонимно везивање није дозвољено.",
"Valid configuration, connection established!" : "Исправна конфигурација, веза успостављена!",
"Please login with the new password" : "Пријавите се са новом лозинком",
- "Action does not exist" : "Радња не постоји",
"Failed to clear the mappings." : "Неуспело чишћење мапирања.",
"LDAP User backend" : "Позадински механизам за LDAP кориснике",
"Your password will expire tomorrow." : "Ваша лозинка ће истећи сутра.",
@@ -207,6 +206,7 @@
"No data specified" : "Нису наведени подаци",
"Invalid data specified" : "Наведени су неисправни подаци",
"Could not set configuration %1$s to %2$s" : "Конфигурација %1$s није могла да се постави на %2$s",
+ "Action does not exist" : "Радња не постоји",
"Renewing …" : "Обнављам …",
"The Base DN appears to be wrong" : "Базни ДН је изгледа погрешан",
"Testing configuration…" : "Тестирам конфигурацију…",
diff --git a/apps/user_ldap/l10n/sv.js b/apps/user_ldap/l10n/sv.js
index 1c1e19c54a22d..decf0a14ffc95 100644
--- a/apps/user_ldap/l10n/sv.js
+++ b/apps/user_ldap/l10n/sv.js
@@ -17,7 +17,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Ogiltig konfiguration: Anonym bindning är inte tillåten.",
"Valid configuration, connection established!" : "Giltig konfiguration, anslutning upprättad!",
"Please login with the new password" : "Vänligen logga in med det nya lösenordet",
- "Action does not exist" : "Åtgärd finns inte",
"Failed to clear the mappings." : "Fel vid rensning av mappningar",
"LDAP User backend" : "LDAP användarbackend",
"Your password will expire tomorrow." : "Ditt lösenord kommer att gå ut imorgon.",
@@ -181,6 +180,7 @@ OC.L10N.register(
"No data specified" : "Inga data har angetts",
"Invalid data specified" : "Ogiltig data har angetts",
"Could not set configuration %1$s to %2$s" : "Kunde inte ställa in konfigurationen %1$s till %2$s",
+ "Action does not exist" : "Åtgärd finns inte",
"Renewing …" : "Förnyar ...",
"The Base DN appears to be wrong" : "Den grundläggande DN verkar vara fel",
"Testing configuration…" : "Testar konfiguration...",
diff --git a/apps/user_ldap/l10n/sv.json b/apps/user_ldap/l10n/sv.json
index f2bc88444610a..585292b2aeb47 100644
--- a/apps/user_ldap/l10n/sv.json
+++ b/apps/user_ldap/l10n/sv.json
@@ -15,7 +15,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Ogiltig konfiguration: Anonym bindning är inte tillåten.",
"Valid configuration, connection established!" : "Giltig konfiguration, anslutning upprättad!",
"Please login with the new password" : "Vänligen logga in med det nya lösenordet",
- "Action does not exist" : "Åtgärd finns inte",
"Failed to clear the mappings." : "Fel vid rensning av mappningar",
"LDAP User backend" : "LDAP användarbackend",
"Your password will expire tomorrow." : "Ditt lösenord kommer att gå ut imorgon.",
@@ -179,6 +178,7 @@
"No data specified" : "Inga data har angetts",
"Invalid data specified" : "Ogiltig data har angetts",
"Could not set configuration %1$s to %2$s" : "Kunde inte ställa in konfigurationen %1$s till %2$s",
+ "Action does not exist" : "Åtgärd finns inte",
"Renewing …" : "Förnyar ...",
"The Base DN appears to be wrong" : "Den grundläggande DN verkar vara fel",
"Testing configuration…" : "Testar konfiguration...",
diff --git a/apps/user_ldap/l10n/sw.js b/apps/user_ldap/l10n/sw.js
index e2723f8b80c87..04d3e19d628bb 100644
--- a/apps/user_ldap/l10n/sw.js
+++ b/apps/user_ldap/l10n/sw.js
@@ -17,7 +17,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Usanidi usio sahihi: Kufunga bila kukutambulisha hairuhusiwi.",
"Valid configuration, connection established!" : "Usanidi halali, muunganisho umeanzishwa!",
"Please login with the new password" : "Tafadhali ingia ukitumia nenosiri jipya ",
- "Action does not exist" : "Hatua haipo",
"Failed to clear the mappings." : "Imeshindwa kufuta michoro.",
"LDAP User backend" : "Nyuma ya Mtumiaji wa LDAP",
"Your password will expire tomorrow." : "Nenosiri lako litakwisha kesho.",
@@ -207,6 +206,7 @@ OC.L10N.register(
"No data specified" : "Hakuna data iliyobainishwa",
"Invalid data specified" : "Takwimu batili zilizobainishwa",
"Could not set configuration %1$s to %2$s" : "Haikuweza kuweka usanidi %1$s to %2$s",
+ "Action does not exist" : "Hatua haipo",
"Renewing …" : "Inafanya upya",
"The Base DN appears to be wrong" : "DN ya Msingi inaonekana kuwa si sahihi",
"Testing configuration…" : "Inajaribu usanidi...",
diff --git a/apps/user_ldap/l10n/sw.json b/apps/user_ldap/l10n/sw.json
index d77d6d5c0c0e0..b6e2b75a7d88e 100644
--- a/apps/user_ldap/l10n/sw.json
+++ b/apps/user_ldap/l10n/sw.json
@@ -15,7 +15,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Usanidi usio sahihi: Kufunga bila kukutambulisha hairuhusiwi.",
"Valid configuration, connection established!" : "Usanidi halali, muunganisho umeanzishwa!",
"Please login with the new password" : "Tafadhali ingia ukitumia nenosiri jipya ",
- "Action does not exist" : "Hatua haipo",
"Failed to clear the mappings." : "Imeshindwa kufuta michoro.",
"LDAP User backend" : "Nyuma ya Mtumiaji wa LDAP",
"Your password will expire tomorrow." : "Nenosiri lako litakwisha kesho.",
@@ -205,6 +204,7 @@
"No data specified" : "Hakuna data iliyobainishwa",
"Invalid data specified" : "Takwimu batili zilizobainishwa",
"Could not set configuration %1$s to %2$s" : "Haikuweza kuweka usanidi %1$s to %2$s",
+ "Action does not exist" : "Hatua haipo",
"Renewing …" : "Inafanya upya",
"The Base DN appears to be wrong" : "DN ya Msingi inaonekana kuwa si sahihi",
"Testing configuration…" : "Inajaribu usanidi...",
diff --git a/apps/user_ldap/l10n/th.js b/apps/user_ldap/l10n/th.js
index f29cbbf46de8a..d375fbdbef8ba 100644
--- a/apps/user_ldap/l10n/th.js
+++ b/apps/user_ldap/l10n/th.js
@@ -6,7 +6,6 @@ OC.L10N.register(
"So-so password" : "รหัสผ่านระดับพอใช้",
"Good password" : "รหัสผ่านระดับดี",
"Strong password" : "รหัสผ่านคาดเดายาก",
- "Action does not exist" : "ไม่มีการดำเนินการนี้อยู่",
"Failed to clear the mappings." : "ไม่สามารถล้างการแมป",
"Could not find the desired feature" : "ไม่พบคุณลักษณะที่ต้องการ",
"Invalid Host" : "โฮสต์ไม่ถูกต้อง",
@@ -96,6 +95,7 @@ OC.L10N.register(
"No action specified" : "ไม่ได้ระบุการดำเนินการ",
"No configuration specified" : "ไม่ได้ระบุการกำหนดค่า",
"No data specified" : "ไม่ได้ระบุข้อมูล",
+ "Action does not exist" : "ไม่มีการดำเนินการนี้อยู่",
"The Base DN appears to be wrong" : "Base DN ดูเหมือนจะไม่ถูกต้อง",
"Testing configuration…" : "กำลังทดสอบการตั้งค่า...",
"Configuration incorrect" : "การกำหนดค่าไม่ถูกต้อง",
diff --git a/apps/user_ldap/l10n/th.json b/apps/user_ldap/l10n/th.json
index 87b8ea419cf68..8bc24b7eadd7d 100644
--- a/apps/user_ldap/l10n/th.json
+++ b/apps/user_ldap/l10n/th.json
@@ -4,7 +4,6 @@
"So-so password" : "รหัสผ่านระดับพอใช้",
"Good password" : "รหัสผ่านระดับดี",
"Strong password" : "รหัสผ่านคาดเดายาก",
- "Action does not exist" : "ไม่มีการดำเนินการนี้อยู่",
"Failed to clear the mappings." : "ไม่สามารถล้างการแมป",
"Could not find the desired feature" : "ไม่พบคุณลักษณะที่ต้องการ",
"Invalid Host" : "โฮสต์ไม่ถูกต้อง",
@@ -94,6 +93,7 @@
"No action specified" : "ไม่ได้ระบุการดำเนินการ",
"No configuration specified" : "ไม่ได้ระบุการกำหนดค่า",
"No data specified" : "ไม่ได้ระบุข้อมูล",
+ "Action does not exist" : "ไม่มีการดำเนินการนี้อยู่",
"The Base DN appears to be wrong" : "Base DN ดูเหมือนจะไม่ถูกต้อง",
"Testing configuration…" : "กำลังทดสอบการตั้งค่า...",
"Configuration incorrect" : "การกำหนดค่าไม่ถูกต้อง",
diff --git a/apps/user_ldap/l10n/tr.js b/apps/user_ldap/l10n/tr.js
index 1968e502d3759..964dc6778e7cd 100644
--- a/apps/user_ldap/l10n/tr.js
+++ b/apps/user_ldap/l10n/tr.js
@@ -18,7 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Yapılandırma geçersiz: Adsız bağlantı kurulmasına izin verilmiyor.",
"Valid configuration, connection established!" : "Yapılandırma geçerli, bağlantı kuruldu.",
"Please login with the new password" : "Lütfen yeni parolanız ile oturum açın",
- "Action does not exist" : "İşlem bulunamadı",
"Failed to clear the mappings." : "Eşleştirmeler temizlenemedi.",
"LDAP User backend" : "LDAP kullanıcı arka yüzü",
"Your password will expire tomorrow." : "Parolanızın geçerlilik süresi yarın dolacak.",
@@ -208,6 +207,7 @@ OC.L10N.register(
"No data specified" : "Henüz bir veri belirtilmemiş",
"Invalid data specified" : "Belirtilen veriler geçersiz",
"Could not set configuration %1$s to %2$s" : "%1$s yapılandırması %2$s için ayarlanamadı",
+ "Action does not exist" : "İşlem bulunamadı",
"Renewing …" : "Yenileniyor …",
"The Base DN appears to be wrong" : "Base DN yanlış gibi görünüyor",
"Testing configuration…" : "Yapılandırma sınanıyor …",
diff --git a/apps/user_ldap/l10n/tr.json b/apps/user_ldap/l10n/tr.json
index 402934dda6aa6..04b61a024b76a 100644
--- a/apps/user_ldap/l10n/tr.json
+++ b/apps/user_ldap/l10n/tr.json
@@ -16,7 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Yapılandırma geçersiz: Adsız bağlantı kurulmasına izin verilmiyor.",
"Valid configuration, connection established!" : "Yapılandırma geçerli, bağlantı kuruldu.",
"Please login with the new password" : "Lütfen yeni parolanız ile oturum açın",
- "Action does not exist" : "İşlem bulunamadı",
"Failed to clear the mappings." : "Eşleştirmeler temizlenemedi.",
"LDAP User backend" : "LDAP kullanıcı arka yüzü",
"Your password will expire tomorrow." : "Parolanızın geçerlilik süresi yarın dolacak.",
@@ -206,6 +205,7 @@
"No data specified" : "Henüz bir veri belirtilmemiş",
"Invalid data specified" : "Belirtilen veriler geçersiz",
"Could not set configuration %1$s to %2$s" : "%1$s yapılandırması %2$s için ayarlanamadı",
+ "Action does not exist" : "İşlem bulunamadı",
"Renewing …" : "Yenileniyor …",
"The Base DN appears to be wrong" : "Base DN yanlış gibi görünüyor",
"Testing configuration…" : "Yapılandırma sınanıyor …",
diff --git a/apps/user_ldap/l10n/ug.js b/apps/user_ldap/l10n/ug.js
index 62718f42361d4..6680fd263e3bc 100644
--- a/apps/user_ldap/l10n/ug.js
+++ b/apps/user_ldap/l10n/ug.js
@@ -18,8 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "ئىناۋەتسىز سەپلىمىسى: نامسىز باغلاشقا بولمايدۇ.",
"Valid configuration, connection established!" : "ئىناۋەتلىك سەپلىمە ، ئۇلىنىش قۇرۇلدى!",
"Please login with the new password" : "يېڭى پارول بىلەن كىرىڭ",
- "Action does not exist" : "ھەرىكەت مەۋجۇت ئەمەس",
- "Unsupported subject " : "قوللىمايدىغان تېما",
"Failed to clear the mappings." : "خەرىتىنى تازىلاش مەغلۇب بولدى.",
"LDAP User backend" : "LDAP ئىشلەتكۈچى ئارقا سۇپىسى",
"Your password will expire tomorrow." : "پارولىڭىز ئەتە توشىدۇ.",
@@ -216,6 +214,7 @@ OC.L10N.register(
"No data specified" : "ھېچقانداق سانلىق مەلۇمات كۆرسىتىلمىدى",
"Invalid data specified" : "ئىناۋەتسىز سانلىق مەلۇمات",
"Could not set configuration %1$s to %2$s" : " سەپلىمە %1$s نى %2$s غا تەڭشىگىلى بولمىدى",
+ "Action does not exist" : "ھەرىكەت مەۋجۇت ئەمەس",
"Renewing …" : "يېڭىلاش…",
"The Base DN appears to be wrong" : "Base DN خاتادەك قىلىدۇ",
"Testing configuration…" : "سىناق سەپلىمىسى…",
diff --git a/apps/user_ldap/l10n/ug.json b/apps/user_ldap/l10n/ug.json
index 0be3a384432ff..2e8cf27472513 100644
--- a/apps/user_ldap/l10n/ug.json
+++ b/apps/user_ldap/l10n/ug.json
@@ -16,8 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "ئىناۋەتسىز سەپلىمىسى: نامسىز باغلاشقا بولمايدۇ.",
"Valid configuration, connection established!" : "ئىناۋەتلىك سەپلىمە ، ئۇلىنىش قۇرۇلدى!",
"Please login with the new password" : "يېڭى پارول بىلەن كىرىڭ",
- "Action does not exist" : "ھەرىكەت مەۋجۇت ئەمەس",
- "Unsupported subject " : "قوللىمايدىغان تېما",
"Failed to clear the mappings." : "خەرىتىنى تازىلاش مەغلۇب بولدى.",
"LDAP User backend" : "LDAP ئىشلەتكۈچى ئارقا سۇپىسى",
"Your password will expire tomorrow." : "پارولىڭىز ئەتە توشىدۇ.",
@@ -214,6 +212,7 @@
"No data specified" : "ھېچقانداق سانلىق مەلۇمات كۆرسىتىلمىدى",
"Invalid data specified" : "ئىناۋەتسىز سانلىق مەلۇمات",
"Could not set configuration %1$s to %2$s" : " سەپلىمە %1$s نى %2$s غا تەڭشىگىلى بولمىدى",
+ "Action does not exist" : "ھەرىكەت مەۋجۇت ئەمەس",
"Renewing …" : "يېڭىلاش…",
"The Base DN appears to be wrong" : "Base DN خاتادەك قىلىدۇ",
"Testing configuration…" : "سىناق سەپلىمىسى…",
diff --git a/apps/user_ldap/l10n/uk.js b/apps/user_ldap/l10n/uk.js
index d985ca816e63b..0f10e24afc2be 100644
--- a/apps/user_ldap/l10n/uk.js
+++ b/apps/user_ldap/l10n/uk.js
@@ -18,7 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "Неправильна конфігурація. Анонімне приєднання не дозволено.",
"Valid configuration, connection established!" : "Правильна конфігурація, з'єднання встановлено!",
"Please login with the new password" : "Будь ласка, увійдіть з новим паролем",
- "Action does not exist" : "Дія не існує",
"Failed to clear the mappings." : "Не вдалося очистити мапування.",
"LDAP User backend" : "Інтерфейс керування користувачами LDAP",
"Your password will expire tomorrow." : "Дія вашого пароля завершується завтра.",
@@ -207,6 +206,7 @@ OC.L10N.register(
"No data specified" : "Немає даних",
"Invalid data specified" : "Вказано неправильні дані",
"Could not set configuration %1$s to %2$s" : "Не вдалося встановити конфігурацію %1$s на %2$s",
+ "Action does not exist" : "Дія не існує",
"Renewing …" : "Оновлення...",
"The Base DN appears to be wrong" : "Основний DN неправильний",
"Testing configuration…" : "Тестування конфігурації...",
diff --git a/apps/user_ldap/l10n/uk.json b/apps/user_ldap/l10n/uk.json
index 3dc059876604f..bd5e27a993e56 100644
--- a/apps/user_ldap/l10n/uk.json
+++ b/apps/user_ldap/l10n/uk.json
@@ -16,7 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "Неправильна конфігурація. Анонімне приєднання не дозволено.",
"Valid configuration, connection established!" : "Правильна конфігурація, з'єднання встановлено!",
"Please login with the new password" : "Будь ласка, увійдіть з новим паролем",
- "Action does not exist" : "Дія не існує",
"Failed to clear the mappings." : "Не вдалося очистити мапування.",
"LDAP User backend" : "Інтерфейс керування користувачами LDAP",
"Your password will expire tomorrow." : "Дія вашого пароля завершується завтра.",
@@ -205,6 +204,7 @@
"No data specified" : "Немає даних",
"Invalid data specified" : "Вказано неправильні дані",
"Could not set configuration %1$s to %2$s" : "Не вдалося встановити конфігурацію %1$s на %2$s",
+ "Action does not exist" : "Дія не існує",
"Renewing …" : "Оновлення...",
"The Base DN appears to be wrong" : "Основний DN неправильний",
"Testing configuration…" : "Тестування конфігурації...",
diff --git a/apps/user_ldap/l10n/zh_CN.js b/apps/user_ldap/l10n/zh_CN.js
index df3857ee38545..51fa31144b58b 100644
--- a/apps/user_ldap/l10n/zh_CN.js
+++ b/apps/user_ldap/l10n/zh_CN.js
@@ -18,8 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "配置无效:不允许匿名绑定。",
"Valid configuration, connection established!" : "配置有效,连接已建立!",
"Please login with the new password" : "请使用新密码登录",
- "Action does not exist" : "操作不存在",
- "Unsupported subject " : "不支持的对象",
"Failed to clear the mappings." : "清除映射失败。",
"LDAP User backend" : "LDAP 用户后端",
"Your password will expire tomorrow." : "您的密码将在明天过期",
@@ -210,6 +208,7 @@ OC.L10N.register(
"No data specified" : "未指定数据",
"Invalid data specified" : "指定了无效的数据",
"Could not set configuration %1$s to %2$s" : "无法将配置 %1$s 设置为 %2$s",
+ "Action does not exist" : "操作不存在",
"Renewing …" : "正在更新…",
"The Base DN appears to be wrong" : "Base DN 似乎错了",
"Testing configuration…" : "测试配置...",
diff --git a/apps/user_ldap/l10n/zh_CN.json b/apps/user_ldap/l10n/zh_CN.json
index c62f822a58658..fb1079fbc47cd 100644
--- a/apps/user_ldap/l10n/zh_CN.json
+++ b/apps/user_ldap/l10n/zh_CN.json
@@ -16,8 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "配置无效:不允许匿名绑定。",
"Valid configuration, connection established!" : "配置有效,连接已建立!",
"Please login with the new password" : "请使用新密码登录",
- "Action does not exist" : "操作不存在",
- "Unsupported subject " : "不支持的对象",
"Failed to clear the mappings." : "清除映射失败。",
"LDAP User backend" : "LDAP 用户后端",
"Your password will expire tomorrow." : "您的密码将在明天过期",
@@ -208,6 +206,7 @@
"No data specified" : "未指定数据",
"Invalid data specified" : "指定了无效的数据",
"Could not set configuration %1$s to %2$s" : "无法将配置 %1$s 设置为 %2$s",
+ "Action does not exist" : "操作不存在",
"Renewing …" : "正在更新…",
"The Base DN appears to be wrong" : "Base DN 似乎错了",
"Testing configuration…" : "测试配置...",
diff --git a/apps/user_ldap/l10n/zh_HK.js b/apps/user_ldap/l10n/zh_HK.js
index 941fc092f0c80..e17a781ea74ab 100644
--- a/apps/user_ldap/l10n/zh_HK.js
+++ b/apps/user_ldap/l10n/zh_HK.js
@@ -18,8 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "無效的配置:不允許匿名綁定。",
"Valid configuration, connection established!" : "有效的配置,連接成功!",
"Please login with the new password" : "請登入並使用新的密碼",
- "Action does not exist" : "操作不存在",
- "Unsupported subject " : "不受支援的主題",
"Failed to clear the mappings." : "無法清除 mappings。",
"LDAP User backend" : "LDAP 用戶後端系統",
"Your password will expire tomorrow." : "您的密碼將於明日過期",
@@ -213,6 +211,7 @@ OC.L10N.register(
"No data specified" : "沒有指定資料",
"Invalid data specified" : "指定的數據無效",
"Could not set configuration %1$s to %2$s" : "無法將 %1$s 配置設定為 %2$s",
+ "Action does not exist" : "操作不存在",
"Renewing …" : "更新中...",
"The Base DN appears to be wrong" : "Base DN 出現問題",
"Testing configuration…" : "配置測試中...",
diff --git a/apps/user_ldap/l10n/zh_HK.json b/apps/user_ldap/l10n/zh_HK.json
index 40b056d5026e7..d8a9a108062af 100644
--- a/apps/user_ldap/l10n/zh_HK.json
+++ b/apps/user_ldap/l10n/zh_HK.json
@@ -16,8 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "無效的配置:不允許匿名綁定。",
"Valid configuration, connection established!" : "有效的配置,連接成功!",
"Please login with the new password" : "請登入並使用新的密碼",
- "Action does not exist" : "操作不存在",
- "Unsupported subject " : "不受支援的主題",
"Failed to clear the mappings." : "無法清除 mappings。",
"LDAP User backend" : "LDAP 用戶後端系統",
"Your password will expire tomorrow." : "您的密碼將於明日過期",
@@ -211,6 +209,7 @@
"No data specified" : "沒有指定資料",
"Invalid data specified" : "指定的數據無效",
"Could not set configuration %1$s to %2$s" : "無法將 %1$s 配置設定為 %2$s",
+ "Action does not exist" : "操作不存在",
"Renewing …" : "更新中...",
"The Base DN appears to be wrong" : "Base DN 出現問題",
"Testing configuration…" : "配置測試中...",
diff --git a/apps/user_ldap/l10n/zh_TW.js b/apps/user_ldap/l10n/zh_TW.js
index 074ebc17521d4..1bd9295fa3d81 100644
--- a/apps/user_ldap/l10n/zh_TW.js
+++ b/apps/user_ldap/l10n/zh_TW.js
@@ -18,8 +18,6 @@ OC.L10N.register(
"Invalid configuration: Anonymous binding is not allowed." : "無效的組態設定:不允許匿名綁定。",
"Valid configuration, connection established!" : "有效的組態設定,連線已建立!",
"Please login with the new password" : "請以新密碼登入",
- "Action does not exist" : "動作不存在",
- "Unsupported subject " : "不支援的主體",
"Failed to clear the mappings." : "無法清除映射。",
"LDAP User backend" : "LDAP 使用者後端",
"Your password will expire tomorrow." : "您的密碼將於明天到期。",
@@ -216,6 +214,7 @@ OC.L10N.register(
"No data specified" : "未指定資料",
"Invalid data specified" : "指定了無效的資料",
"Could not set configuration %1$s to %2$s" : "無法將組態 %1$s 設定為 %2$s",
+ "Action does not exist" : "動作不存在",
"Renewing …" : "正在更新…",
"The Base DN appears to be wrong" : "Base DN 出現問題",
"Testing configuration…" : "正在測試組態設定…",
diff --git a/apps/user_ldap/l10n/zh_TW.json b/apps/user_ldap/l10n/zh_TW.json
index e8cf30a24ac74..7389751c326e5 100644
--- a/apps/user_ldap/l10n/zh_TW.json
+++ b/apps/user_ldap/l10n/zh_TW.json
@@ -16,8 +16,6 @@
"Invalid configuration: Anonymous binding is not allowed." : "無效的組態設定:不允許匿名綁定。",
"Valid configuration, connection established!" : "有效的組態設定,連線已建立!",
"Please login with the new password" : "請以新密碼登入",
- "Action does not exist" : "動作不存在",
- "Unsupported subject " : "不支援的主體",
"Failed to clear the mappings." : "無法清除映射。",
"LDAP User backend" : "LDAP 使用者後端",
"Your password will expire tomorrow." : "您的密碼將於明天到期。",
@@ -214,6 +212,7 @@
"No data specified" : "未指定資料",
"Invalid data specified" : "指定了無效的資料",
"Could not set configuration %1$s to %2$s" : "無法將組態 %1$s 設定為 %2$s",
+ "Action does not exist" : "動作不存在",
"Renewing …" : "正在更新…",
"The Base DN appears to be wrong" : "Base DN 出現問題",
"Testing configuration…" : "正在測試組態設定…",
diff --git a/build/ca-bundle-etag.txt b/build/ca-bundle-etag.txt
index f8de2281585fe..8e33784631a61 100644
--- a/build/ca-bundle-etag.txt
+++ b/build/ca-bundle-etag.txt
@@ -1 +1 @@
-"3859e-642bd08b1bfbf"
+"36f34-644f04c3f997f"
diff --git a/build/integration/filesdrop_features/filesdrop.feature b/build/integration/filesdrop_features/filesdrop.feature
index 7618a31a1d083..52a0399f4b4bd 100644
--- a/build/integration/filesdrop_features/filesdrop.feature
+++ b/build/integration/filesdrop_features/filesdrop.feature
@@ -33,7 +33,7 @@ Feature: FilesDrop
And Downloading file "/drop/a (2).txt"
Then Downloaded content should be "def"
- Scenario: Files drop forbid directory without a nickname
+ Scenario: Files request forbid directory without a nickname
Given user "user0" exists
And As an "user0"
And user "user0" created a folder "/drop"
@@ -41,12 +41,26 @@ Feature: FilesDrop
| path | drop |
| shareType | 3 |
| publicUpload | true |
+ | attributes | [{"scope":"fileRequest","key":"enabled","value":true}] |
And Updating last share with
| permissions | 4 |
When Dropping file "/folder/a.txt" with "abc"
Then the HTTP status code should be "400"
- Scenario: Files drop forbid MKCOL without a nickname
+Scenario: Files drop allow MKCOL without a nickname
+ Given user "user0" exists
+ And As an "user0"
+ And user "user0" created a folder "/drop"
+ And as "user0" creating a share with
+ | path | drop |
+ | shareType | 3 |
+ | publicUpload | true |
+ And Updating last share with
+ | permissions | 4 |
+ When Creating folder "folder" in drop
+ Then the HTTP status code should be "201"
+
+ Scenario: Files request forbid MKCOL without a nickname
Given user "user0" exists
And As an "user0"
And user "user0" created a folder "/drop"
@@ -54,12 +68,13 @@ Feature: FilesDrop
| path | drop |
| shareType | 3 |
| publicUpload | true |
+ | attributes | [{"scope":"fileRequest","key":"enabled","value":true}] |
And Updating last share with
| permissions | 4 |
When Creating folder "folder" in drop
Then the HTTP status code should be "400"
- Scenario: Files drop allows MKCOL with a nickname
+ Scenario: Files request allows MKCOL with a nickname
Given user "user0" exists
And As an "user0"
And user "user0" created a folder "/drop"
@@ -67,12 +82,13 @@ Feature: FilesDrop
| path | drop |
| shareType | 3 |
| publicUpload | true |
+ | attributes | [{"scope":"fileRequest","key":"enabled","value":true}] |
And Updating last share with
| permissions | 4 |
When Creating folder "folder" in drop as "nickname"
Then the HTTP status code should be "201"
- Scenario: Files drop forbid subfolder creation without a nickname
+ Scenario: Files request forbid subfolder creation without a nickname
Given user "user0" exists
And As an "user0"
And user "user0" created a folder "/drop"
@@ -80,6 +96,7 @@ Feature: FilesDrop
| path | drop |
| shareType | 3 |
| publicUpload | true |
+ | attributes | [{"scope":"fileRequest","key":"enabled","value":true}] |
And Updating last share with
| permissions | 4 |
When dropping file "/folder/a.txt" with "abc"
@@ -139,7 +156,7 @@ Feature: FilesDrop
When Downloading file "/drop/Alice/folder (2)"
Then the HTTP status code should be "200"
And Downloaded content should be "its a file"
-
+
Scenario: Put file same file multiple times via files drop
Given user "user0" exists
And As an "user0"
diff --git a/config/config.sample.php b/config/config.sample.php
index f1c628a27b205..d56339b66f119 100644
--- a/config/config.sample.php
+++ b/config/config.sample.php
@@ -1902,6 +1902,25 @@
],
],
+/**
+ * To use S3 object storage
+ */
+'objectstore' => [
+ 'class' => 'OC\\Files\\ObjectStore\\S3',
+ 'arguments' => [
+ 'bucket' => 'nextcloud',
+ 'key' => 'your-access-key',
+ 'secret' => 'your-secret-key',
+ 'hostname' => 's3.example.com',
+ 'port' => 443,
+ 'use_ssl' => true,
+ 'region' => 'us-east-1',
+ // optional: Maximum number of retry attempts for failed S3 requests
+ // Default: 5
+ 'retriesMaxAttempts' => 5,
+ ],
+],
+
/**
* If this is set to true and a multibucket object store is configured, then
* newly created previews are put into 256 dedicated buckets.
diff --git a/core/Command/Info/File.php b/core/Command/Info/File.php
index 7181f972875ff..361bfd58c0cd8 100644
--- a/core/Command/Info/File.php
+++ b/core/Command/Info/File.php
@@ -100,7 +100,9 @@ public function execute(InputInterface $input, OutputInterface $output): int {
}, $children));
if ($childSize != $node->getSize()) {
$output->writeln(' warning: folder has a size of ' . Util::humanFileSize($node->getSize()) . " but it's children sum up to " . Util::humanFileSize($childSize) . '.');
- $output->writeln(' Run occ files:scan --path ' . $node->getPath() . ' to attempt to resolve this.');
+ if (!$node->getStorage()->instanceOfStorage(ObjectStoreStorage::class)) {
+ $output->writeln(' Run occ files:scan --path ' . $node->getPath() . ' to attempt to resolve this.');
+ }
}
if ($showChildren) {
$output->writeln(' children: ' . count($children) . ':');
diff --git a/dist/1489-1489.js b/dist/1489-1489.js
index 404505c2a0a1f..9640dea830613 100644
--- a/dist/1489-1489.js
+++ b/dist/1489-1489.js
@@ -1,2 +1,2 @@
-(globalThis.webpackChunknextcloud=globalThis.webpackChunknextcloud||[]).push([[1489],{9165:(t,e,r)=>{"use strict";r.d(e,{$BT:()=>a,Brj:()=>h,HzW:()=>p,IyB:()=>i,NZC:()=>s,Tfj:()=>n,ZL5:()=>d,fEr:()=>o,jUz:()=>u,kHm:()=>c,kOJ:()=>l});var i="M15,14C12.33,14 7,15.33 7,18V20H23V18C23,15.33 17.67,14 15,14M6,10V7H4V10H1V12H4V15H6V12H9V10M15,12A4,4 0 0,0 19,8A4,4 0 0,0 15,4A4,4 0 0,0 11,8A4,4 0 0,0 15,12Z",n="M21,7L9,19L3.5,13.5L4.91,12.09L9,16.17L19.59,5.59L21,7Z",s="M12,2A10,10 0 0,0 2,12A10,10 0 0,0 12,22A10,10 0 0,0 22,12A10,10 0 0,0 12,2M16.2,16.2L11,13V7H12.5V12.2L17,14.9L16.2,16.2Z",a="M19,21H8V7H19M19,5H8A2,2 0 0,0 6,7V21A2,2 0 0,0 8,23H19A2,2 0 0,0 21,21V7A2,2 0 0,0 19,5M16,1H4A2,2 0 0,0 2,3V17H4V3H16V1Z",o="M10,4H4C2.89,4 2,4.89 2,6V18A2,2 0 0,0 4,20H20A2,2 0 0,0 22,18V8C22,6.89 21.1,6 20,6H12L10,4Z",l="M1,1V5H2V19H1V23H5V22H19V23H23V19H22V5H23V1H19V2H5V1M5,4H19V5H20V19H19V20H5V19H4V5H5M6,6V14H9V18H18V9H14V6M8,8H12V12H8M14,11H16V16H11V14H14",h="M3.9,12C3.9,10.29 5.29,8.9 7,8.9H11V7H7A5,5 0 0,0 2,12A5,5 0 0,0 7,17H11V15.1H7C5.29,15.1 3.9,13.71 3.9,12M8,13H16V11H8V13M17,7H13V8.9H17C18.71,8.9 20.1,10.29 20.1,12C20.1,13.71 18.71,15.1 17,15.1H13V17H17A5,5 0 0,0 22,12A5,5 0 0,0 17,7Z",c="M12,17A2,2 0 0,0 14,15C14,13.89 13.1,13 12,13A2,2 0 0,0 10,15A2,2 0 0,0 12,17M18,8A2,2 0 0,1 20,10V20A2,2 0 0,1 18,22H6A2,2 0 0,1 4,20V10C4,8.89 4.9,8 6,8H7V6A5,5 0 0,1 12,1A5,5 0 0,1 17,6V8H18M12,3A3,3 0 0,0 9,6V8H15V6A3,3 0 0,0 12,3Z",u="M17,3A2,2 0 0,1 19,5V15A2,2 0 0,1 17,17H13V19H14A1,1 0 0,1 15,20H22V22H15A1,1 0 0,1 14,23H10A1,1 0 0,1 9,22H2V20H9A1,1 0 0,1 10,19H11V17H7C5.89,17 5,16.1 5,15V5A2,2 0 0,1 7,3H17Z",d="M12,17.27L18.18,21L16.54,13.97L22,9.24L14.81,8.62L12,2L9.19,8.62L2,9.24L7.45,13.97L5.82,21L12,17.27Z",p="M5.5,7A1.5,1.5 0 0,1 4,5.5A1.5,1.5 0 0,1 5.5,4A1.5,1.5 0 0,1 7,5.5A1.5,1.5 0 0,1 5.5,7M21.41,11.58L12.41,2.58C12.05,2.22 11.55,2 11,2H4C2.89,2 2,2.89 2,4V11C2,11.55 2.22,12.05 2.59,12.41L11.58,21.41C11.95,21.77 12.45,22 13,22C13.55,22 14.05,21.77 14.41,21.41L21.41,14.41C21.78,14.05 22,13.55 22,13C22,12.44 21.77,11.94 21.41,11.58Z"},12306:(t,e,r)=>{"use strict";r.d(e,{A:()=>o});var i=r(71354),n=r.n(i),s=r(76314),a=r.n(s)()(n());a.push([t.id,".sharing-entry[data-v-251feb63]{display:flex;align-items:center;height:44px}.sharing-entry__summary[data-v-251feb63]{padding:8px;padding-inline-start:10px;display:flex;flex-direction:column;justify-content:center;align-items:flex-start;flex:1 0;min-width:0}.sharing-entry__summary__desc[data-v-251feb63]{display:inline-block;padding-bottom:0;line-height:1.2em;white-space:nowrap;overflow:hidden;text-overflow:ellipsis}.sharing-entry__summary__desc p[data-v-251feb63],.sharing-entry__summary__desc small[data-v-251feb63]{color:var(--color-text-maxcontrast)}.sharing-entry__summary__desc-unique[data-v-251feb63]{color:var(--color-text-maxcontrast)}","",{version:3,sources:["webpack://./apps/files_sharing/src/components/SharingEntry.vue"],names:[],mappings:"AACA,gCACC,YAAA,CACA,kBAAA,CACA,WAAA,CACA,yCACC,WAAA,CACA,yBAAA,CACA,YAAA,CACA,qBAAA,CACA,sBAAA,CACA,sBAAA,CACA,QAAA,CACA,WAAA,CAEA,+CACC,oBAAA,CACA,gBAAA,CACA,iBAAA,CACA,kBAAA,CACA,eAAA,CACA,sBAAA,CAEA,sGAEC,mCAAA,CAGD,sDACC,mCAAA",sourcesContent:["\n.sharing-entry {\n\tdisplay: flex;\n\talign-items: center;\n\theight: 44px;\n\t&__summary {\n\t\tpadding: 8px;\n\t\tpadding-inline-start: 10px;\n\t\tdisplay: flex;\n\t\tflex-direction: column;\n\t\tjustify-content: center;\n\t\talign-items: flex-start;\n\t\tflex: 1 0;\n\t\tmin-width: 0;\n\n\t\t&__desc {\n\t\t\tdisplay: inline-block;\n\t\t\tpadding-bottom: 0;\n\t\t\tline-height: 1.2em;\n\t\t\twhite-space: nowrap;\n\t\t\toverflow: hidden;\n\t\t\ttext-overflow: ellipsis;\n\n\t\t\tp,\n\t\t\tsmall {\n\t\t\t\tcolor: var(--color-text-maxcontrast);\n\t\t\t}\n\n\t\t\t&-unique {\n\t\t\t\tcolor: var(--color-text-maxcontrast);\n\t\t\t}\n\t\t}\n\t}\n\n}\n"],sourceRoot:""}]);const o=a},17816:function(t){t.exports=function(){"use strict";function t(){throw new Error("Dynamic requires are not currently supported by rollup-plugin-commonjs")}var e=function(t,e){return t(e={exports:{}},e.exports),e.exports}(function(e,r){var i;i=function(){return function e(r,i,n){function s(o,l){if(!i[o]){if(!r[o]){if(!l&&t)return t();if(a)return a(o,!0);var h=new Error("Cannot find module '"+o+"'");throw h.code="MODULE_NOT_FOUND",h}var c=i[o]={exports:{}};r[o][0].call(c.exports,function(t){return s(r[o][1][t]||t)},c,c.exports,e,r,i,n)}return i[o].exports}for(var a=t,o=0;o>>7-t%8&1)},put:function(t,e){for(var r=0;r>>e-r-1&1))},getLengthInBits:function(){return this.length},putBit:function(t){var e=Math.floor(this.length/8);this.buffer.length<=e&&this.buffer.push(0),t&&(this.buffer[e]|=128>>>this.length%8),this.length++}},e.exports=i},{}],5:[function(t,e,r){var i=t("../utils/buffer");function n(t){if(!t||t<1)throw new Error("BitMatrix size must be defined and greater than 0");this.size=t,this.data=i.alloc(t*t),this.reservedBit=i.alloc(t*t)}n.prototype.set=function(t,e,r,i){var n=t*this.size+e;this.data[n]=r,i&&(this.reservedBit[n]=!0)},n.prototype.get=function(t,e){return this.data[t*this.size+e]},n.prototype.xor=function(t,e,r){this.data[t*this.size+e]^=r},n.prototype.isReserved=function(t,e){return this.reservedBit[t*this.size+e]},e.exports=n},{"../utils/buffer":28}],6:[function(t,e,r){var i=t("../utils/buffer"),n=t("./mode");function s(t){this.mode=n.BYTE,this.data=i.from(t)}s.getBitsLength=function(t){return 8*t},s.prototype.getLength=function(){return this.data.length},s.prototype.getBitsLength=function(){return s.getBitsLength(this.data.length)},s.prototype.write=function(t){for(var e=0,r=this.data.length;e=0&&t.bit<4},r.from=function(t,e){if(r.isValid(t))return t;try{return function(t){if("string"!=typeof t)throw new Error("Param is not a string");switch(t.toLowerCase()){case"l":case"low":return r.L;case"m":case"medium":return r.M;case"q":case"quartile":return r.Q;case"h":case"high":return r.H;default:throw new Error("Unknown EC Level: "+t)}}(t)}catch(t){return e}}},{}],9:[function(t,e,r){var i=t("./utils").getSymbolSize;r.getPositions=function(t){var e=i(t);return[[0,0],[e-7,0],[0,e-7]]}},{"./utils":21}],10:[function(t,e,r){var i=t("./utils"),n=i.getBCHDigit(1335);r.getEncodedBits=function(t,e){for(var r=t.bit<<3|e,s=r<<10;i.getBCHDigit(s)-n>=0;)s^=1335<=33088&&r<=40956)r-=33088;else{if(!(r>=57408&&r<=60351))throw new Error("Invalid SJIS character: "+this.data[e]+"\nMake sure your charset is UTF-8");r-=49472}r=192*(r>>>8&255)+(255&r),t.put(r,13)}},e.exports=s},{"./mode":14,"./utils":21}],13:[function(t,e,r){r.Patterns={PATTERN000:0,PATTERN001:1,PATTERN010:2,PATTERN011:3,PATTERN100:4,PATTERN101:5,PATTERN110:6,PATTERN111:7};var i=3,n=3,s=40,a=10;function o(t,e,i){switch(t){case r.Patterns.PATTERN000:return(e+i)%2==0;case r.Patterns.PATTERN001:return e%2==0;case r.Patterns.PATTERN010:return i%3==0;case r.Patterns.PATTERN011:return(e+i)%3==0;case r.Patterns.PATTERN100:return(Math.floor(e/2)+Math.floor(i/3))%2==0;case r.Patterns.PATTERN101:return e*i%2+e*i%3==0;case r.Patterns.PATTERN110:return(e*i%2+e*i%3)%2==0;case r.Patterns.PATTERN111:return(e*i%3+(e+i)%2)%2==0;default:throw new Error("bad maskPattern:"+t)}}r.isValid=function(t){return null!=t&&""!==t&&!isNaN(t)&&t>=0&&t<=7},r.from=function(t){return r.isValid(t)?parseInt(t,10):void 0},r.getPenaltyN1=function(t){for(var e=t.size,r=0,n=0,s=0,a=null,o=null,l=0;l=5&&(r+=i+(n-5)),a=c,n=1),(c=t.get(h,l))===o?s++:(s>=5&&(r+=i+(s-5)),o=c,s=1)}n>=5&&(r+=i+(n-5)),s>=5&&(r+=i+(s-5))}return r},r.getPenaltyN2=function(t){for(var e=t.size,r=0,i=0;i=10&&(1488===i||93===i)&&r++,n=n<<1&2047|t.get(o,a),o>=10&&(1488===n||93===n)&&r++}return r*s},r.getPenaltyN4=function(t){for(var e=0,r=t.data.length,i=0;i=1&&e<10?t.ccBits[0]:e<27?t.ccBits[1]:t.ccBits[2]},r.getBestModeForData=function(t){return n.testNumeric(t)?r.NUMERIC:n.testAlphanumeric(t)?r.ALPHANUMERIC:n.testKanji(t)?r.KANJI:r.BYTE},r.toString=function(t){if(t&&t.id)return t.id;throw new Error("Invalid mode")},r.isValid=function(t){return t&&t.bit&&t.ccBits},r.from=function(t,e){if(r.isValid(t))return t;try{return function(t){if("string"!=typeof t)throw new Error("Param is not a string");switch(t.toLowerCase()){case"numeric":return r.NUMERIC;case"alphanumeric":return r.ALPHANUMERIC;case"kanji":return r.KANJI;case"byte":return r.BYTE;default:throw new Error("Unknown mode: "+t)}}(t)}catch(t){return e}}},{"./regex":19,"./version-check":22}],15:[function(t,e,r){var i=t("./mode");function n(t){this.mode=i.NUMERIC,this.data=t.toString()}n.getBitsLength=function(t){return 10*Math.floor(t/3)+(t%3?t%3*3+1:0)},n.prototype.getLength=function(){return this.data.length},n.prototype.getBitsLength=function(){return n.getBitsLength(this.data.length)},n.prototype.write=function(t){var e,r,i;for(e=0;e+3<=this.data.length;e+=3)r=this.data.substr(e,3),i=parseInt(r,10),t.put(i,10);var n=this.data.length-e;n>0&&(r=this.data.substr(e),i=parseInt(r,10),t.put(i,3*n+1))},e.exports=n},{"./mode":14}],16:[function(t,e,r){var i=t("../utils/buffer"),n=t("./galois-field");r.mul=function(t,e){for(var r=i.alloc(t.length+e.length-1),s=0;s=0;){for(var s=r[0],a=0;a>i&1),i<6?t.set(i,8,n,!0):i<8?t.set(i+1,8,n,!0):t.set(s-15+i,8,n,!0),i<8?t.set(8,s-i-1,n,!0):i<9?t.set(8,15-i-1+1,n,!0):t.set(8,15-i-1,n,!0);t.set(s-8,8,1,!0)}function v(t,e,r){var s=new a;r.forEach(function(e){s.put(e.mode.bit,4),s.put(e.getLength(),g.getCharCountIndicator(e.mode,t)),e.write(s)});var o=8*(n.getSymbolTotalCodewords(t)-u.getTotalCodewordsCount(t,e));for(s.getLengthInBits()+4<=o&&s.put(0,4);s.getLengthInBits()%8!=0;)s.putBit(0);for(var l=(o-s.getLengthInBits())/8,h=0;h=0&&o<=6&&(0===l||6===l)||l>=0&&l<=6&&(0===o||6===o)||o>=2&&o<=4&&l>=2&&l<=4?t.set(s+o,a+l,!0,!0):t.set(s+o,a+l,!1,!0))}(w,e),function(t){for(var e=t.size,r=8;r=7&&function(t,e){for(var r,i,n,s=t.size,a=p.getEncodedBits(e),o=0;o<18;o++)r=Math.floor(o/3),i=o%3+s-8-3,n=1==(a>>o&1),t.set(r,i,n,!0),t.set(i,r,n,!0)}(w,e),function(t,e){for(var r=t.size,i=-1,n=r-1,s=7,a=0,o=r-1;o>0;o-=2)for(6===o&&o--;;){for(var l=0;l<2;l++)if(!t.isReserved(n,o-l)){var h=!1;a>>s&1)),t.set(n,o-l,h),-1===--s&&(a++,s=7)}if((n+=i)<0||r<=n){n-=i,i=-i;break}}}(w,f),isNaN(i)&&(i=c.getBestMask(w,y.bind(null,w,r))),c.applyMask(i,w),y(w,r,i),{modules:w,version:e,errorCorrectionLevel:r,maskPattern:i,segments:s}}r.create=function(t,e){if(void 0===t||""===t)throw new Error("No input text");var r,i,a=s.M;return void 0!==e&&(a=s.from(e.errorCorrectionLevel,s.M),r=p.from(e.version),i=c.from(e.maskPattern),e.toSJISFunc&&n.setToSJISFunction(e.toSJISFunc)),w(t,r,a,i)}},{"../utils/buffer":28,"./alignment-pattern":2,"./bit-buffer":4,"./bit-matrix":5,"./error-correction-code":7,"./error-correction-level":8,"./finder-pattern":9,"./format-info":10,"./mask-pattern":13,"./mode":14,"./reed-solomon-encoder":18,"./segments":20,"./utils":21,"./version":23,isarray:33}],18:[function(t,e,r){var i=t("../utils/buffer"),n=t("./polynomial"),s=t("buffer").Buffer;function a(t){this.genPoly=void 0,this.degree=t,this.degree&&this.initialize(this.degree)}a.prototype.initialize=function(t){this.degree=t,this.genPoly=n.generateECPolynomial(this.degree)},a.prototype.encode=function(t){if(!this.genPoly)throw new Error("Encoder not initialized");var e=i.alloc(this.degree),r=s.concat([t,e],t.length+this.degree),a=n.mod(r,this.genPoly),o=this.degree-a.length;if(o>0){var l=i.alloc(this.degree);return a.copy(l,o),l}return a},e.exports=a},{"../utils/buffer":28,"./polynomial":16,buffer:30}],19:[function(t,e,r){var i="[0-9]+",n="(?:[u3000-u303F]|[u3040-u309F]|[u30A0-u30FF]|[uFF00-uFFEF]|[u4E00-u9FAF]|[u2605-u2606]|[u2190-u2195]|u203B|[u2010u2015u2018u2019u2025u2026u201Cu201Du2225u2260]|[u0391-u0451]|[u00A7u00A8u00B1u00B4u00D7u00F7])+",s="(?:(?![A-Z0-9 $%*+\\-./:]|"+(n=n.replace(/u/g,"\\u"))+")(?:.|[\r\n]))+";r.KANJI=new RegExp(n,"g"),r.BYTE_KANJI=new RegExp("[^A-Z0-9 $%*+\\-./:]+","g"),r.BYTE=new RegExp(s,"g"),r.NUMERIC=new RegExp(i,"g"),r.ALPHANUMERIC=new RegExp("[A-Z $%*+\\-./:]+","g");var a=new RegExp("^"+n+"$"),o=new RegExp("^"+i+"$"),l=new RegExp("^[A-Z0-9 $%*+\\-./:]+$");r.testKanji=function(t){return a.test(t)},r.testNumeric=function(t){return o.test(t)},r.testAlphanumeric=function(t){return l.test(t)}},{}],20:[function(t,e,r){var i=t("./mode"),n=t("./numeric-data"),s=t("./alphanumeric-data"),a=t("./byte-data"),o=t("./kanji-data"),l=t("./regex"),h=t("./utils"),c=t("dijkstrajs");function u(t){return unescape(encodeURIComponent(t)).length}function d(t,e,r){for(var i,n=[];null!==(i=t.exec(r));)n.push({data:i[0],index:i.index,mode:e,length:i[0].length});return n}function p(t){var e,r,n=d(l.NUMERIC,i.NUMERIC,t),s=d(l.ALPHANUMERIC,i.ALPHANUMERIC,t);return h.isKanjiModeEnabled()?(e=d(l.BYTE,i.BYTE,t),r=d(l.KANJI,i.KANJI,t)):(e=d(l.BYTE_KANJI,i.BYTE,t),r=[]),n.concat(s,e,r).sort(function(t,e){return t.index-e.index}).map(function(t){return{data:t.data,mode:t.mode,length:t.length}})}function f(t,e){switch(e){case i.NUMERIC:return n.getBitsLength(t);case i.ALPHANUMERIC:return s.getBitsLength(t);case i.KANJI:return o.getBitsLength(t);case i.BYTE:return a.getBitsLength(t)}}function g(t,e){var r,l=i.getBestModeForData(t);if((r=i.from(e,l))!==i.BYTE&&r.bit=0?t[t.length-1]:null;return r&&r.mode===e.mode?(t[t.length-1].data+=e.data,t):(t.push(e),t)},[]))},r.rawSplit=function(t){return r.fromArray(p(t,h.isKanjiModeEnabled()))}},{"./alphanumeric-data":3,"./byte-data":6,"./kanji-data":12,"./mode":14,"./numeric-data":15,"./regex":19,"./utils":21,dijkstrajs:31}],21:[function(t,e,r){var i,n=[0,26,44,70,100,134,172,196,242,292,346,404,466,532,581,655,733,815,901,991,1085,1156,1258,1364,1474,1588,1706,1828,1921,2051,2185,2323,2465,2611,2761,2876,3034,3196,3362,3532,3706];r.getSymbolSize=function(t){if(!t)throw new Error('"version" cannot be null or undefined');if(t<1||t>40)throw new Error('"version" should be in range from 1 to 40');return 4*t+17},r.getSymbolTotalCodewords=function(t){return n[t]},r.getBCHDigit=function(t){for(var e=0;0!==t;)e++,t>>>=1;return e},r.setToSJISFunction=function(t){if("function"!=typeof t)throw new Error('"toSJISFunc" is not a valid function.');i=t},r.isKanjiModeEnabled=function(){return void 0!==i},r.toSJIS=function(t){return i(t)}},{}],22:[function(t,e,r){r.isValid=function(t){return!isNaN(t)&&t>=1&&t<=40}},{}],23:[function(t,e,r){var i=t("./utils"),n=t("./error-correction-code"),s=t("./error-correction-level"),a=t("./mode"),o=t("./version-check"),l=t("isarray"),h=i.getBCHDigit(7973);function c(t,e){return a.getCharCountIndicator(t,e)+4}function u(t,e){var r=0;return t.forEach(function(t){var i=c(t.mode,e);r+=i+t.getBitsLength()}),r}r.from=function(t,e){return o.isValid(t)?parseInt(t,10):e},r.getCapacity=function(t,e,r){if(!o.isValid(t))throw new Error("Invalid QR Code version");void 0===r&&(r=a.BYTE);var s=8*(i.getSymbolTotalCodewords(t)-n.getTotalCodewordsCount(t,e));if(r===a.MIXED)return s;var l=s-c(r,t);switch(r){case a.NUMERIC:return Math.floor(l/10*3);case a.ALPHANUMERIC:return Math.floor(l/11*2);case a.KANJI:return Math.floor(l/13);case a.BYTE:default:return Math.floor(l/8)}},r.getBestVersionForData=function(t,e){var i,n=s.from(e,s.M);if(l(t)){if(t.length>1)return function(t,e){for(var i=1;i<=40;i++)if(u(t,i)<=r.getCapacity(i,e,a.MIXED))return i}(t,n);if(0===t.length)return 1;i=t[0]}else i=t;return function(t,e,i){for(var n=1;n<=40;n++)if(e<=r.getCapacity(n,i,t))return n}(i.mode,i.getLength(),n)},r.getEncodedBits=function(t){if(!o.isValid(t)||t<7)throw new Error("Invalid QR Code version");for(var e=t<<12;i.getBCHDigit(e)-h>=0;)e^=7973<':"",u="0&&h>0&&t[l-1]||(i+=a?s("M",h+r,.5+c+r):s("m",n,0),n=0,a=!1),h+1',d='viewBox="0 0 '+h+" "+h+'"',p='\n";return"function"==typeof r&&r(null,p),p}},{"./utils":27}],27:[function(t,e,r){function i(t){if("number"==typeof t&&(t=t.toString()),"string"!=typeof t)throw new Error("Color should be defined as hex string");var e=t.slice().replace("#","").split("");if(e.length<3||5===e.length||e.length>8)throw new Error("Invalid hex color: "+t);3!==e.length&&4!==e.length||(e=Array.prototype.concat.apply([],e.map(function(t){return[t,t]}))),6===e.length&&e.push("F","F");var r=parseInt(e.join(""),16);return{r:r>>24&255,g:r>>16&255,b:r>>8&255,a:255&r,hex:"#"+e.slice(0,6).join("")}}r.getOptions=function(t){t||(t={}),t.color||(t.color={});var e=void 0===t.margin||null===t.margin||t.margin<0?4:t.margin,r=t.width&&t.width>=21?t.width:void 0,n=t.scale||4;return{width:r,scale:r?4:n,margin:e,color:{dark:i(t.color.dark||"#000000ff"),light:i(t.color.light||"#ffffffff")},type:t.type,rendererOpts:t.rendererOpts||{}}},r.getScale=function(t,e){return e.width&&e.width>=t+2*e.margin?e.width/(t+2*e.margin):e.scale},r.getImageWidth=function(t,e){var i=r.getScale(t,e);return Math.floor((t+2*e.margin)*i)},r.qrToImageData=function(t,e,i){for(var n=e.modules.size,s=e.modules.data,a=r.getScale(n,i),o=Math.floor((n+2*i.margin)*a),l=i.margin*a,h=[i.color.light,i.color.dark],c=0;c=l&&u>=l&&c=n)throw new RangeError("Attempt to allocate Buffer larger than maximum size: 0x"+n.toString(16)+" bytes");return 0|t}function o(t,e){var r;return s.TYPED_ARRAY_SUPPORT?(r=new Uint8Array(e)).__proto__=s.prototype:(null===(r=t)&&(r=new s(e)),r.length=e),r}function l(t,e){var r=o(t,e<0?0:0|a(e));if(!s.TYPED_ARRAY_SUPPORT)for(var i=0;i55295&&r<57344){if(!n){if(r>56319){(e-=3)>-1&&s.push(239,191,189);continue}if(a+1===i){(e-=3)>-1&&s.push(239,191,189);continue}n=r;continue}if(r<56320){(e-=3)>-1&&s.push(239,191,189),n=r;continue}r=65536+(n-55296<<10|r-56320)}else n&&(e-=3)>-1&&s.push(239,191,189);if(n=null,r<128){if((e-=1)<0)break;s.push(r)}else if(r<2048){if((e-=2)<0)break;s.push(r>>6|192,63&r|128)}else if(r<65536){if((e-=3)<0)break;s.push(r>>12|224,r>>6&63|128,63&r|128)}else{if(!(r<1114112))throw new Error("Invalid code point");if((e-=4)<0)break;s.push(r>>18|240,r>>12&63|128,r>>6&63|128,63&r|128)}}return s}function u(t){return s.isBuffer(t)?t.length:"undefined"!=typeof ArrayBuffer&&"function"==typeof ArrayBuffer.isView&&(ArrayBuffer.isView(t)||t instanceof ArrayBuffer)?t.byteLength:("string"!=typeof t&&(t=""+t),0===t.length?0:c(t).length)}s.TYPED_ARRAY_SUPPORT&&(s.prototype.__proto__=Uint8Array.prototype,s.__proto__=Uint8Array,"undefined"!=typeof Symbol&&Symbol.species&&s[Symbol.species]===s&&Object.defineProperty(s,Symbol.species,{value:null,configurable:!0,enumerable:!1,writable:!1})),s.prototype.write=function(t,e,r){void 0===e||void 0===r&&"string"==typeof e?(r=this.length,e=0):isFinite(e)&&(e|=0,isFinite(r)?r|=0:r=void 0);var i=this.length-e;if((void 0===r||r>i)&&(r=i),t.length>0&&(r<0||e<0)||e>this.length)throw new RangeError("Attempt to write outside buffer bounds");return function(t,e,r,i){return function(t,e,r,i){for(var n=0;n=e.length||n>=t.length);++n)e[n+r]=t[n];return n}(c(e,t.length-r),t,r,i)}(this,t,e,r)},s.prototype.slice=function(t,e){var r,i=this.length;if((t=~~t)<0?(t+=i)<0&&(t=0):t>i&&(t=i),(e=void 0===e?i:~~e)<0?(e+=i)<0&&(e=0):e>i&&(e=i),e=t.length&&(e=t.length),e||(e=0),i>0&&i=this.length)throw new RangeError("sourceStart out of bounds");if(i<0)throw new RangeError("sourceEnd out of bounds");i>this.length&&(i=this.length),t.length-e=0;--n)t[n+e]=this[n+r];else if(a<1e3||!s.TYPED_ARRAY_SUPPORT)for(n=0;n>>=0,r=void 0===r?this.length:r>>>0,t||(t=0),"number"==typeof t)for(n=e;n0?a-4:a;for(r=0;r>16&255,h[c++]=e>>8&255,h[c++]=255&e;return 2===o&&(e=n[t.charCodeAt(r)]<<2|n[t.charCodeAt(r+1)]>>4,h[c++]=255&e),1===o&&(e=n[t.charCodeAt(r)]<<10|n[t.charCodeAt(r+1)]<<4|n[t.charCodeAt(r+2)]>>2,h[c++]=e>>8&255,h[c++]=255&e),h},r.fromByteArray=function(t){for(var e,r=t.length,n=r%3,s=[],a=16383,o=0,l=r-n;ol?l:o+a));return 1===n?(e=t[r-1],s.push(i[e>>2]+i[e<<4&63]+"==")):2===n&&(e=(t[r-2]<<8)+t[r-1],s.push(i[e>>10]+i[e>>4&63]+i[e<<2&63]+"=")),s.join("")};for(var i=[],n=[],s="undefined"!=typeof Uint8Array?Uint8Array:Array,a="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",o=0;o<64;++o)i[o]=a[o],n[a.charCodeAt(o)]=o;function l(t){var e=t.length;if(e%4>0)throw new Error("Invalid string. Length must be a multiple of 4");var r=t.indexOf("=");return-1===r&&(r=e),[r,r===e?0:4-r%4]}function h(t){return i[t>>18&63]+i[t>>12&63]+i[t>>6&63]+i[63&t]}function c(t,e,r){for(var i,n=[],s=e;sa)throw new RangeError('The value "'+t+'" is invalid for option "size"');var e=new Uint8Array(t);return Object.setPrototypeOf(e,l.prototype),e}function l(t,e,r){if("number"==typeof t){if("string"==typeof e)throw new TypeError('The "string" argument must be of type string. Received type number');return u(t)}return h(t,e,r)}function h(t,e,r){if("string"==typeof t)return function(t,e){if("string"==typeof e&&""!==e||(e="utf8"),!l.isEncoding(e))throw new TypeError("Unknown encoding: "+e);var r=0|f(t,e),i=o(r),n=i.write(t,e);return n!==r&&(i=i.slice(0,n)),i}(t,e);if(ArrayBuffer.isView(t))return d(t);if(null==t)throw new TypeError("The first argument must be one of type string, Buffer, ArrayBuffer, Array, or Array-like Object. Received type "+typeof t);if(F(t,ArrayBuffer)||t&&F(t.buffer,ArrayBuffer))return function(t,e,r){if(e<0||t.byteLength=a)throw new RangeError("Attempt to allocate Buffer larger than maximum size: 0x"+a.toString(16)+" bytes");return 0|t}function f(t,e){if(l.isBuffer(t))return t.length;if(ArrayBuffer.isView(t)||F(t,ArrayBuffer))return t.byteLength;if("string"!=typeof t)throw new TypeError('The "string" argument must be one of type string, Buffer, or ArrayBuffer. Received type '+typeof t);var r=t.length,i=arguments.length>2&&!0===arguments[2];if(!i&&0===r)return 0;for(var n=!1;;)switch(e){case"ascii":case"latin1":case"binary":return r;case"utf8":case"utf-8":return O(t).length;case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return 2*r;case"hex":return r>>>1;case"base64":return U(t).length;default:if(n)return i?-1:O(t).length;e=(""+e).toLowerCase(),n=!0}}function g(t,e,r){var i=!1;if((void 0===e||e<0)&&(e=0),e>this.length)return"";if((void 0===r||r>this.length)&&(r=this.length),r<=0)return"";if((r>>>=0)<=(e>>>=0))return"";for(t||(t="utf8");;)switch(t){case"hex":return D(this,e,r);case"utf8":case"utf-8":return E(this,e,r);case"ascii":return I(this,e,r);case"latin1":case"binary":return T(this,e,r);case"base64":return x(this,e,r);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return P(this,e,r);default:if(i)throw new TypeError("Unknown encoding: "+t);t=(t+"").toLowerCase(),i=!0}}function A(t,e,r){var i=t[e];t[e]=t[r],t[r]=i}function m(t,e,r,i,n){if(0===t.length)return-1;if("string"==typeof r?(i=r,r=0):r>2147483647?r=2147483647:r<-2147483648&&(r=-2147483648),q(r=+r)&&(r=n?0:t.length-1),r<0&&(r=t.length+r),r>=t.length){if(n)return-1;r=t.length-1}else if(r<0){if(!n)return-1;r=0}if("string"==typeof e&&(e=l.from(e,i)),l.isBuffer(e))return 0===e.length?-1:y(t,e,r,i,n);if("number"==typeof e)return e&=255,"function"==typeof Uint8Array.prototype.indexOf?n?Uint8Array.prototype.indexOf.call(t,e,r):Uint8Array.prototype.lastIndexOf.call(t,e,r):y(t,[e],r,i,n);throw new TypeError("val must be string, number or Buffer")}function y(t,e,r,i,n){var s,a=1,o=t.length,l=e.length;if(void 0!==i&&("ucs2"===(i=String(i).toLowerCase())||"ucs-2"===i||"utf16le"===i||"utf-16le"===i)){if(t.length<2||e.length<2)return-1;a=2,o/=2,l/=2,r/=2}function h(t,e){return 1===a?t[e]:t.readUInt16BE(e*a)}if(n){var c=-1;for(s=r;so&&(r=o-l),s=r;s>=0;s--){for(var u=!0,d=0;dn&&(i=n):i=n;var s=e.length;i>s/2&&(i=s/2);for(var a=0;a>8,n=r%256,s.push(n),s.push(i);return s}(e,t.length-r),t,r,i)}function x(t,e,r){return 0===e&&r===t.length?i.fromByteArray(t):i.fromByteArray(t.slice(e,r))}function E(t,e,r){r=Math.min(t.length,r);for(var i=[],n=e;n239?4:h>223?3:h>191?2:1;if(n+u<=r)switch(u){case 1:h<128&&(c=h);break;case 2:128==(192&(s=t[n+1]))&&(l=(31&h)<<6|63&s)>127&&(c=l);break;case 3:s=t[n+1],a=t[n+2],128==(192&s)&&128==(192&a)&&(l=(15&h)<<12|(63&s)<<6|63&a)>2047&&(l<55296||l>57343)&&(c=l);break;case 4:s=t[n+1],a=t[n+2],o=t[n+3],128==(192&s)&&128==(192&a)&&128==(192&o)&&(l=(15&h)<<18|(63&s)<<12|(63&a)<<6|63&o)>65535&&l<1114112&&(c=l)}null===c?(c=65533,u=1):c>65535&&(c-=65536,i.push(c>>>10&1023|55296),c=56320|1023&c),i.push(c),n+=u}return function(t){var e=t.length;if(e<=k)return String.fromCharCode.apply(String,t);for(var r="",i=0;ie&&(t+=" ... "),""},s&&(l.prototype[s]=l.prototype.inspect),l.prototype.compare=function(t,e,r,i,n){if(F(t,Uint8Array)&&(t=l.from(t,t.offset,t.byteLength)),!l.isBuffer(t))throw new TypeError('The "target" argument must be one of type Buffer or Uint8Array. Received type '+typeof t);if(void 0===e&&(e=0),void 0===r&&(r=t?t.length:0),void 0===i&&(i=0),void 0===n&&(n=this.length),e<0||r>t.length||i<0||n>this.length)throw new RangeError("out of range index");if(i>=n&&e>=r)return 0;if(i>=n)return-1;if(e>=r)return 1;if(this===t)return 0;for(var s=(n>>>=0)-(i>>>=0),a=(r>>>=0)-(e>>>=0),o=Math.min(s,a),h=this.slice(i,n),c=t.slice(e,r),u=0;u>>=0,isFinite(r)?(r>>>=0,void 0===i&&(i="utf8")):(i=r,r=void 0)}var n=this.length-e;if((void 0===r||r>n)&&(r=n),t.length>0&&(r<0||e<0)||e>this.length)throw new RangeError("Attempt to write outside buffer bounds");i||(i="utf8");for(var s=!1;;)switch(i){case"hex":return v(this,t,e,r);case"utf8":case"utf-8":return w(this,t,e,r);case"ascii":return _(this,t,e,r);case"latin1":case"binary":return C(this,t,e,r);case"base64":return b(this,t,e,r);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return S(this,t,e,r);default:if(s)throw new TypeError("Unknown encoding: "+i);i=(""+i).toLowerCase(),s=!0}},l.prototype.toJSON=function(){return{type:"Buffer",data:Array.prototype.slice.call(this._arr||this,0)}};var k=4096;function I(t,e,r){var i="";r=Math.min(t.length,r);for(var n=e;ni)&&(r=i);for(var n="",s=e;sr)throw new RangeError("Trying to access beyond buffer length")}function B(t,e,r,i,n,s){if(!l.isBuffer(t))throw new TypeError('"buffer" argument must be a Buffer instance');if(e>n||et.length)throw new RangeError("Index out of range")}function L(t,e,r,i,n,s){if(r+i>t.length)throw new RangeError("Index out of range");if(r<0)throw new RangeError("Index out of range")}function R(t,e,r,i,s){return e=+e,r>>>=0,s||L(t,0,r,4),n.write(t,e,r,i,23,4),r+4}function V(t,e,r,i,s){return e=+e,r>>>=0,s||L(t,0,r,8),n.write(t,e,r,i,52,8),r+8}l.prototype.slice=function(t,e){var r=this.length;(t=~~t)<0?(t+=r)<0&&(t=0):t>r&&(t=r),(e=void 0===e?r:~~e)<0?(e+=r)<0&&(e=0):e>r&&(e=r),e>>=0,e>>>=0,r||N(t,e,this.length);for(var i=this[t],n=1,s=0;++s>>=0,e>>>=0,r||N(t,e,this.length);for(var i=this[t+--e],n=1;e>0&&(n*=256);)i+=this[t+--e]*n;return i},l.prototype.readUInt8=function(t,e){return t>>>=0,e||N(t,1,this.length),this[t]},l.prototype.readUInt16LE=function(t,e){return t>>>=0,e||N(t,2,this.length),this[t]|this[t+1]<<8},l.prototype.readUInt16BE=function(t,e){return t>>>=0,e||N(t,2,this.length),this[t]<<8|this[t+1]},l.prototype.readUInt32LE=function(t,e){return t>>>=0,e||N(t,4,this.length),(this[t]|this[t+1]<<8|this[t+2]<<16)+16777216*this[t+3]},l.prototype.readUInt32BE=function(t,e){return t>>>=0,e||N(t,4,this.length),16777216*this[t]+(this[t+1]<<16|this[t+2]<<8|this[t+3])},l.prototype.readIntLE=function(t,e,r){t>>>=0,e>>>=0,r||N(t,e,this.length);for(var i=this[t],n=1,s=0;++s=(n*=128)&&(i-=Math.pow(2,8*e)),i},l.prototype.readIntBE=function(t,e,r){t>>>=0,e>>>=0,r||N(t,e,this.length);for(var i=e,n=1,s=this[t+--i];i>0&&(n*=256);)s+=this[t+--i]*n;return s>=(n*=128)&&(s-=Math.pow(2,8*e)),s},l.prototype.readInt8=function(t,e){return t>>>=0,e||N(t,1,this.length),128&this[t]?-1*(255-this[t]+1):this[t]},l.prototype.readInt16LE=function(t,e){t>>>=0,e||N(t,2,this.length);var r=this[t]|this[t+1]<<8;return 32768&r?4294901760|r:r},l.prototype.readInt16BE=function(t,e){t>>>=0,e||N(t,2,this.length);var r=this[t+1]|this[t]<<8;return 32768&r?4294901760|r:r},l.prototype.readInt32LE=function(t,e){return t>>>=0,e||N(t,4,this.length),this[t]|this[t+1]<<8|this[t+2]<<16|this[t+3]<<24},l.prototype.readInt32BE=function(t,e){return t>>>=0,e||N(t,4,this.length),this[t]<<24|this[t+1]<<16|this[t+2]<<8|this[t+3]},l.prototype.readFloatLE=function(t,e){return t>>>=0,e||N(t,4,this.length),n.read(this,t,!0,23,4)},l.prototype.readFloatBE=function(t,e){return t>>>=0,e||N(t,4,this.length),n.read(this,t,!1,23,4)},l.prototype.readDoubleLE=function(t,e){return t>>>=0,e||N(t,8,this.length),n.read(this,t,!0,52,8)},l.prototype.readDoubleBE=function(t,e){return t>>>=0,e||N(t,8,this.length),n.read(this,t,!1,52,8)},l.prototype.writeUIntLE=function(t,e,r,i){t=+t,e>>>=0,r>>>=0,i||B(this,t,e,r,Math.pow(2,8*r)-1,0);var n=1,s=0;for(this[e]=255&t;++s>>=0,r>>>=0,i||B(this,t,e,r,Math.pow(2,8*r)-1,0);var n=r-1,s=1;for(this[e+n]=255&t;--n>=0&&(s*=256);)this[e+n]=t/s&255;return e+r},l.prototype.writeUInt8=function(t,e,r){return t=+t,e>>>=0,r||B(this,t,e,1,255,0),this[e]=255&t,e+1},l.prototype.writeUInt16LE=function(t,e,r){return t=+t,e>>>=0,r||B(this,t,e,2,65535,0),this[e]=255&t,this[e+1]=t>>>8,e+2},l.prototype.writeUInt16BE=function(t,e,r){return t=+t,e>>>=0,r||B(this,t,e,2,65535,0),this[e]=t>>>8,this[e+1]=255&t,e+2},l.prototype.writeUInt32LE=function(t,e,r){return t=+t,e>>>=0,r||B(this,t,e,4,4294967295,0),this[e+3]=t>>>24,this[e+2]=t>>>16,this[e+1]=t>>>8,this[e]=255&t,e+4},l.prototype.writeUInt32BE=function(t,e,r){return t=+t,e>>>=0,r||B(this,t,e,4,4294967295,0),this[e]=t>>>24,this[e+1]=t>>>16,this[e+2]=t>>>8,this[e+3]=255&t,e+4},l.prototype.writeIntLE=function(t,e,r,i){if(t=+t,e>>>=0,!i){var n=Math.pow(2,8*r-1);B(this,t,e,r,n-1,-n)}var s=0,a=1,o=0;for(this[e]=255&t;++s>>=0,!i){var n=Math.pow(2,8*r-1);B(this,t,e,r,n-1,-n)}var s=r-1,a=1,o=0;for(this[e+s]=255&t;--s>=0&&(a*=256);)t<0&&0===o&&0!==this[e+s+1]&&(o=1),this[e+s]=(t/a|0)-o&255;return e+r},l.prototype.writeInt8=function(t,e,r){return t=+t,e>>>=0,r||B(this,t,e,1,127,-128),t<0&&(t=255+t+1),this[e]=255&t,e+1},l.prototype.writeInt16LE=function(t,e,r){return t=+t,e>>>=0,r||B(this,t,e,2,32767,-32768),this[e]=255&t,this[e+1]=t>>>8,e+2},l.prototype.writeInt16BE=function(t,e,r){return t=+t,e>>>=0,r||B(this,t,e,2,32767,-32768),this[e]=t>>>8,this[e+1]=255&t,e+2},l.prototype.writeInt32LE=function(t,e,r){return t=+t,e>>>=0,r||B(this,t,e,4,2147483647,-2147483648),this[e]=255&t,this[e+1]=t>>>8,this[e+2]=t>>>16,this[e+3]=t>>>24,e+4},l.prototype.writeInt32BE=function(t,e,r){return t=+t,e>>>=0,r||B(this,t,e,4,2147483647,-2147483648),t<0&&(t=4294967295+t+1),this[e]=t>>>24,this[e+1]=t>>>16,this[e+2]=t>>>8,this[e+3]=255&t,e+4},l.prototype.writeFloatLE=function(t,e,r){return R(this,t,e,!0,r)},l.prototype.writeFloatBE=function(t,e,r){return R(this,t,e,!1,r)},l.prototype.writeDoubleLE=function(t,e,r){return V(this,t,e,!0,r)},l.prototype.writeDoubleBE=function(t,e,r){return V(this,t,e,!1,r)},l.prototype.copy=function(t,e,r,i){if(!l.isBuffer(t))throw new TypeError("argument should be a Buffer");if(r||(r=0),i||0===i||(i=this.length),e>=t.length&&(e=t.length),e||(e=0),i>0&&i=this.length)throw new RangeError("Index out of range");if(i<0)throw new RangeError("sourceEnd out of bounds");i>this.length&&(i=this.length),t.length-e=0;--s)t[s+e]=this[s+r];else Uint8Array.prototype.set.call(t,this.subarray(r,i),e);return n},l.prototype.fill=function(t,e,r,i){if("string"==typeof t){if("string"==typeof e?(i=e,e=0,r=this.length):"string"==typeof r&&(i=r,r=this.length),void 0!==i&&"string"!=typeof i)throw new TypeError("encoding must be a string");if("string"==typeof i&&!l.isEncoding(i))throw new TypeError("Unknown encoding: "+i);if(1===t.length){var n=t.charCodeAt(0);("utf8"===i&&n<128||"latin1"===i)&&(t=n)}}else"number"==typeof t?t&=255:"boolean"==typeof t&&(t=Number(t));if(e<0||this.length>>=0,r=void 0===r?this.length:r>>>0,t||(t=0),"number"==typeof t)for(s=e;s55295&&r<57344){if(!n){if(r>56319){(e-=3)>-1&&s.push(239,191,189);continue}if(a+1===i){(e-=3)>-1&&s.push(239,191,189);continue}n=r;continue}if(r<56320){(e-=3)>-1&&s.push(239,191,189),n=r;continue}r=65536+(n-55296<<10|r-56320)}else n&&(e-=3)>-1&&s.push(239,191,189);if(n=null,r<128){if((e-=1)<0)break;s.push(r)}else if(r<2048){if((e-=2)<0)break;s.push(r>>6|192,63&r|128)}else if(r<65536){if((e-=3)<0)break;s.push(r>>12|224,r>>6&63|128,63&r|128)}else{if(!(r<1114112))throw new Error("Invalid code point");if((e-=4)<0)break;s.push(r>>18|240,r>>12&63|128,r>>6&63|128,63&r|128)}}return s}function U(t){return i.toByteArray(function(t){if((t=(t=t.split("=")[0]).trim().replace(M,"")).length<2)return"";for(;t.length%4!=0;)t+="=";return t}(t))}function H(t,e,r,i){for(var n=0;n=e.length||n>=t.length);++n)e[n+r]=t[n];return n}function F(t,e){return t instanceof e||null!=t&&null!=t.constructor&&null!=t.constructor.name&&t.constructor.name===e.name}function q(t){return t!=t}var z=function(){for(var t="0123456789abcdef",e=new Array(256),r=0;r<16;++r)for(var i=16*r,n=0;n<16;++n)e[i+n]=t[r]+t[n];return e}()},{"base64-js":29,ieee754:32}],31:[function(t,e,r){var i={single_source_shortest_paths:function(t,e,r){var n={},s={};s[e]=0;var a,o,l,h,c,u,d,p=i.PriorityQueue.make();for(p.push(e,0);!p.empty();)for(l in o=(a=p.pop()).value,h=a.cost,c=t[o]||{})c.hasOwnProperty(l)&&(u=h+c[l],d=s[l],(void 0===s[l]||d>u)&&(s[l]=u,p.push(l,u),n[l]=o));if(void 0!==r&&void 0===s[r]){var f=["Could not find a path from ",e," to ",r,"."].join("");throw new Error(f)}return n},extract_shortest_path_from_predecessor_list:function(t,e){for(var r=[],i=e;i;)r.push(i),t[i],i=t[i];return r.reverse(),r},find_path:function(t,e,r){var n=i.single_source_shortest_paths(t,e,r);return i.extract_shortest_path_from_predecessor_list(n,r)},PriorityQueue:{make:function(t){var e,r=i.PriorityQueue,n={};for(e in t=t||{},r)r.hasOwnProperty(e)&&(n[e]=r[e]);return n.queue=[],n.sorter=t.sorter||r.default_sorter,n},default_sorter:function(t,e){return t.cost-e.cost},push:function(t,e){var r={value:t,cost:e};this.queue.push(r),this.queue.sort(this.sorter)},pop:function(){return this.queue.shift()},empty:function(){return 0===this.queue.length}}};void 0!==e&&(e.exports=i)},{}],32:[function(t,e,r){r.read=function(t,e,r,i,n){var s,a,o=8*n-i-1,l=(1<>1,c=-7,u=r?n-1:0,d=r?-1:1,p=t[e+u];for(u+=d,s=p&(1<<-c)-1,p>>=-c,c+=o;c>0;s=256*s+t[e+u],u+=d,c-=8);for(a=s&(1<<-c)-1,s>>=-c,c+=i;c>0;a=256*a+t[e+u],u+=d,c-=8);if(0===s)s=1-h;else{if(s===l)return a?NaN:1/0*(p?-1:1);a+=Math.pow(2,i),s-=h}return(p?-1:1)*a*Math.pow(2,s-i)},r.write=function(t,e,r,i,n,s){var a,o,l,h=8*s-n-1,c=(1<>1,d=23===n?Math.pow(2,-24)-Math.pow(2,-77):0,p=i?0:s-1,f=i?1:-1,g=e<0||0===e&&1/e<0?1:0;for(e=Math.abs(e),isNaN(e)||e===1/0?(o=isNaN(e)?1:0,a=c):(a=Math.floor(Math.log(e)/Math.LN2),e*(l=Math.pow(2,-a))<1&&(a--,l*=2),(e+=a+u>=1?d/l:d*Math.pow(2,1-u))*l>=2&&(a++,l/=2),a+u>=c?(o=0,a=c):a+u>=1?(o=(e*l-1)*Math.pow(2,n),a+=u):(o=e*Math.pow(2,u-1)*Math.pow(2,n),a=0));n>=8;t[r+p]=255&o,p+=f,o/=256,n-=8);for(a=a<0;t[r+p]=255&a,p+=f,a/=256,h-=8);t[r+p-f]|=128*g}},{}],33:[function(t,e,r){var i={}.toString;e.exports=Array.isArray||function(t){return"[object Array]"==i.call(t)}},{}]},{},[24])(24)},e.exports=i()});return{name:"qrcode",props:{value:null,options:Object,tag:{type:String,default:"canvas"}},render:function(t){return t(this.tag,this.$slots.default)},watch:{$props:{deep:!0,immediate:!0,handler:function(){this.$el&&this.generate()}}},methods:{generate:function(){var t=this,r=this.options,i=this.tag,n=String(this.value);"canvas"===i?e.toCanvas(this.$el,n,r,function(t){if(t)throw t}):"img"===i?e.toDataURL(n,r,function(e,r){if(e)throw e;t.$el.src=r}):e.toString(n,r,function(e,r){if(e)throw e;t.$el.innerHTML=r})}},mounted:function(){this.generate()}}}()},22064:(t,e,r)=>{"use strict";r.d(e,{A:()=>o});var i=r(71354),n=r.n(i),s=r(76314),a=r.n(s)()(n());a.push([t.id,".sharing-search{display:flex;flex-direction:column;margin-bottom:4px}.sharing-search label[for=sharing-search-input]{margin-bottom:2px}.sharing-search__input{width:100%;margin:10px 0}.vs__dropdown-menu span[lookup] .avatardiv{background-image:var(--icon-search-white);background-repeat:no-repeat;background-position:center;background-color:var(--color-text-maxcontrast) !important}.vs__dropdown-menu span[lookup] .avatardiv .avatardiv__initials-wrapper{display:none}","",{version:3,sources:["webpack://./apps/files_sharing/src/components/SharingInput.vue"],names:[],mappings:"AACA,gBACC,YAAA,CACA,qBAAA,CACA,iBAAA,CAEA,gDACC,iBAAA,CAGD,uBACC,UAAA,CACA,aAAA,CAOA,2CACC,yCAAA,CACA,2BAAA,CACA,0BAAA,CACA,yDAAA,CACA,wEACC,YAAA",sourcesContent:['\n.sharing-search {\n\tdisplay: flex;\n\tflex-direction: column;\n\tmargin-bottom: 4px;\n\n\tlabel[for="sharing-search-input"] {\n\t\tmargin-bottom: 2px;\n\t}\n\n\t&__input {\n\t\twidth: 100%;\n\t\tmargin: 10px 0;\n\t}\n}\n\n.vs__dropdown-menu {\n\t// properly style the lookup entry\n\tspan[lookup] {\n\t\t.avatardiv {\n\t\t\tbackground-image: var(--icon-search-white);\n\t\t\tbackground-repeat: no-repeat;\n\t\t\tbackground-position: center;\n\t\t\tbackground-color: var(--color-text-maxcontrast) !important;\n\t\t\t.avatardiv__initials-wrapper {\n\t\t\t\tdisplay: none;\n\t\t\t}\n\t\t}\n\t}\n}\n'],sourceRoot:""}]);const o=a},22441:(t,e,r)=>{"use strict";r.d(e,{A:()=>o});var i=r(71354),n=r.n(i),s=r(76314),a=r.n(s)()(n());a.push([t.id,"\n.sharing-tab-external-section-legacy[data-v-7c3e42b5] {\n\twidth: 100%;\n}\n","",{version:3,sources:["webpack://./apps/files_sharing/src/components/SidebarTabExternal/SidebarTabExternalSectionLegacy.vue"],names:[],mappings:";AA6BA;CACA,WAAA;AACA",sourcesContent:['\x3c!--\n - SPDX-FileCopyrightText: 2025 Nextcloud GmbH and Nextcloud contributors\n - SPDX-License-Identifier: AGPL-3.0-or-later\n--\x3e\n\n\n\t