diff options
Diffstat (limited to 'core')
127 files changed, 1355 insertions, 878 deletions
diff --git a/core/Command/App/ListApps.php b/core/Command/App/ListApps.php index 5244d66e0d8..bb59e441119 100644 --- a/core/Command/App/ListApps.php +++ b/core/Command/App/ListApps.php @@ -14,7 +14,7 @@ use Symfony\Component\Console\Output\OutputInterface; class ListApps extends Base { public function __construct( - protected IAppManager $manager, + protected IAppManager $appManager, ) { parent::__construct(); } @@ -56,16 +56,16 @@ class ListApps extends Base { $showEnabledApps = $input->getOption('enabled') || !$input->getOption('disabled'); $showDisabledApps = $input->getOption('disabled') || !$input->getOption('enabled'); - $apps = \OC_App::getAllApps(); + $apps = $this->appManager->getAllAppsInAppsFolders(); $enabledApps = $disabledApps = []; - $versions = \OC_App::getAppVersions(); + $versions = $this->appManager->getAppInstalledVersions(); //sort enabled apps above disabled apps foreach ($apps as $app) { - if ($shippedFilter !== null && $this->manager->isShipped($app) !== $shippedFilter) { + if ($shippedFilter !== null && $this->appManager->isShipped($app) !== $shippedFilter) { continue; } - if ($this->manager->isEnabledForAnyone($app)) { + if ($this->appManager->isEnabledForAnyone($app)) { $enabledApps[] = $app; } else { $disabledApps[] = $app; @@ -88,7 +88,7 @@ class ListApps extends Base { sort($disabledApps); foreach ($disabledApps as $app) { - $apps['disabled'][$app] = $this->manager->getAppVersion($app) . (isset($versions[$app]) ? ' (installed ' . $versions[$app] . ')' : ''); + $apps['disabled'][$app] = $this->appManager->getAppVersion($app) . (isset($versions[$app]) ? ' (installed ' . $versions[$app] . ')' : ''); } } diff --git a/core/Command/Base.php b/core/Command/Base.php index b915ae2ae4a..c9b6337b64a 100644 --- a/core/Command/Base.php +++ b/core/Command/Base.php @@ -88,6 +88,58 @@ class Base extends Command implements CompletionAwareInterface { } } + protected function writeStreamingTableInOutputFormat(InputInterface $input, OutputInterface $output, \Iterator $items, int $tableGroupSize): void { + switch ($input->getOption('output')) { + case self::OUTPUT_FORMAT_JSON: + case self::OUTPUT_FORMAT_JSON_PRETTY: + $this->writeStreamingJsonArray($input, $output, $items); + break; + default: + foreach ($this->chunkIterator($items, $tableGroupSize) as $chunk) { + $this->writeTableInOutputFormat($input, $output, $chunk); + } + break; + } + } + + protected function writeStreamingJsonArray(InputInterface $input, OutputInterface $output, \Iterator $items): void { + $first = true; + $outputType = $input->getOption('output'); + + $output->writeln('['); + foreach ($items as $item) { + if (!$first) { + $output->writeln(','); + } + if ($outputType === self::OUTPUT_FORMAT_JSON_PRETTY) { + $output->write(json_encode($item, JSON_PRETTY_PRINT)); + } else { + $output->write(json_encode($item)); + } + $first = false; + } + $output->writeln("\n]"); + } + + public function chunkIterator(\Iterator $iterator, int $count): \Iterator { + $chunk = []; + + for ($i = 0; $iterator->valid(); $i++) { + $chunk[] = $iterator->current(); + $iterator->next(); + if (count($chunk) == $count) { + // Got a full chunk, yield and start a new one + yield $chunk; + $chunk = []; + } + } + + if (count($chunk)) { + // Yield the last chunk even if incomplete + yield $chunk; + } + } + /** * @param mixed $item diff --git a/core/Controller/ClientFlowLoginController.php b/core/Controller/ClientFlowLoginController.php index 8d84ac100fa..99074e6ff59 100644 --- a/core/Controller/ClientFlowLoginController.php +++ b/core/Controller/ClientFlowLoginController.php @@ -26,6 +26,7 @@ use OCP\Authentication\Exceptions\InvalidTokenException; use OCP\Authentication\Token\IToken; use OCP\Defaults; use OCP\EventDispatcher\IEventDispatcher; +use OCP\IConfig; use OCP\IL10N; use OCP\IRequest; use OCP\ISession; @@ -55,6 +56,7 @@ class ClientFlowLoginController extends Controller { private ICrypto $crypto, private IEventDispatcher $eventDispatcher, private ITimeFactory $timeFactory, + private IConfig $config, ) { parent::__construct($appName, $request); } @@ -89,7 +91,7 @@ class ClientFlowLoginController extends Controller { #[NoCSRFRequired] #[UseSession] #[FrontpageRoute(verb: 'GET', url: '/login/flow')] - public function showAuthPickerPage(string $clientIdentifier = '', string $user = '', int $direct = 0): StandaloneTemplateResponse { + public function showAuthPickerPage(string $clientIdentifier = '', string $user = '', int $direct = 0, string $providedRedirectUri = ''): StandaloneTemplateResponse { $clientName = $this->getClientName(); $client = null; if ($clientIdentifier !== '') { @@ -142,6 +144,7 @@ class ClientFlowLoginController extends Controller { 'oauthState' => $this->session->get('oauth.state'), 'user' => $user, 'direct' => $direct, + 'providedRedirectUri' => $providedRedirectUri, ], 'guest' ); @@ -161,6 +164,7 @@ class ClientFlowLoginController extends Controller { string $stateToken = '', string $clientIdentifier = '', int $direct = 0, + string $providedRedirectUri = '', ): Response { if (!$this->isValidToken($stateToken)) { return $this->stateTokenForbiddenResponse(); @@ -197,6 +201,7 @@ class ClientFlowLoginController extends Controller { 'serverHost' => $this->getServerPath(), 'oauthState' => $this->session->get('oauth.state'), 'direct' => $direct, + 'providedRedirectUri' => $providedRedirectUri, ], 'guest' ); @@ -211,6 +216,7 @@ class ClientFlowLoginController extends Controller { public function generateAppPassword( string $stateToken, string $clientIdentifier = '', + string $providedRedirectUri = '', ): Response { if (!$this->isValidToken($stateToken)) { $this->session->remove(self::STATE_NAME); @@ -270,7 +276,19 @@ class ClientFlowLoginController extends Controller { $accessToken->setCodeCreatedAt($this->timeFactory->now()->getTimestamp()); $this->accessTokenMapper->insert($accessToken); + $enableOcClients = $this->config->getSystemValueBool('oauth2.enable_oc_clients', false); + $redirectUri = $client->getRedirectUri(); + if ($enableOcClients && $redirectUri === 'http://localhost:*') { + // Sanity check untrusted redirect URI provided by the client first + if (!preg_match('/^http:\/\/localhost:[0-9]+$/', $providedRedirectUri)) { + $response = new Response(); + $response->setStatus(Http::STATUS_FORBIDDEN); + return $response; + } + + $redirectUri = $providedRedirectUri; + } if (parse_url($redirectUri, PHP_URL_QUERY)) { $redirectUri .= '&'; diff --git a/core/l10n/ar.js b/core/l10n/ar.js index c8c41de543a..3419f9ef1b9 100644 --- a/core/l10n/ar.js +++ b/core/l10n/ar.js @@ -146,23 +146,23 @@ OC.L10N.register( "Account name" : "اسم الحساب", "Server side authentication failed!" : "رفض الخادم المصادقة!", "Please contact your administrator." : "يرجى التواصل مع مسؤول النظام.", - "Temporary error" : "خطأ مؤقت", - "Please try again." : "يرجى المحاولة مرة أخرى.", + "Session error" : "خطأ في الجلسة", + "It appears your session token has expired, please refresh the page and try again." : "يبدو أن أَمَارَة جلستك قد انتهت صلاحيتها. رجاءً، حدِّث الصفحة ثم حاول مرة أخرى.", "An internal error occurred." : "حدث خطأ داخلي.", "Please try again or contact your administrator." : "حاول مجددا أو تواصل مع مسؤول النظام.", "Password" : "كلمة المرور", "Log in with a device" : "سجل دخولك عن طريق جهاز", "Login or email" : "تسجيل الدخول أو البريد الإلكتروني", "Your account is not setup for passwordless login." : "لم يتم إعداد حسابك لتسجيل الدخول بدون كلمة مرور.", - "Browser not supported" : "المتصفح غير مدعوم", - "Passwordless authentication is not supported in your browser." : "المصادقة بدون كلمة مرور غير مدعومة في متصفحك.", "Your connection is not secure" : "اتصالك غير آمن", "Passwordless authentication is only available over a secure connection." : "المصادقة بدون كلمة مرور متاحة فقط عبر اتصال آمن.", + "Browser not supported" : "المتصفح غير مدعوم", + "Passwordless authentication is not supported in your browser." : "المصادقة بدون كلمة مرور غير مدعومة في متصفحك.", "Reset password" : "تعديل كلمة السر", + "Back to login" : "العودة إلى تسجيل الدخول", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "إذا كان هذا الحساب موجودًا، فسيتم إرسال رسالة إعادة تعيين كلمة المرور إلى عنوان البريد الإلكتروني الخاص به. إذا لم تستلمها، فتحقق من عنوان بريدك الإلكتروني و/أو تسجيل الدخول، وتحقق من مجلدات البريد العشوائي عندك أو اطلب المساعدة من مسؤول النظام لديك.", "Couldn't send reset email. Please contact your administrator." : "تعذر إرسال البريد الإلكتروني لإعادة التعيين. يرجى مراجعة المسؤول.", "Password cannot be changed. Please contact your administrator." : "كلمة المرور لا يمكن تغييرها. فضلاً تواصل مع مسؤول النظام.", - "Back to login" : "العودة إلى تسجيل الدخول", "New password" : "كلمات سر جديدة", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "المحتوى الخاص بك مشفر. لن تكون هناك طريقة لاستعادة محتوياتك وبياناتك بعد إعادة تعيين كلمة مرورك. إذا لم تكن متأكدًا مما يجب فعله ، فيرجى الاتصال بالمسؤول قبل المتابعة. هل حقا تريد الاستمرار؟", "I know what I'm doing" : "أعرف ماذا أفعل", @@ -207,9 +207,25 @@ OC.L10N.register( "Login form is disabled." : "نموذج تسجيل الدخول معطل", "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "نموذج تسجيل الدخول إلى نكست كلاود مُعطّل. استخدم خيار تسجيل دخول آخر إذا كان متاحًا أو اتصل بمسؤول النظام.", "More actions" : "إجراءات إضافية", + "Password is too weak" : "كلمة المرور ضعيفة جدّاً", + "Password is weak" : "كلمة المرور ضعيفة", + "Password is average" : "كلمة المرور متوسطة القوة", + "Password is strong" : "كلمة المرور قوية", + "Password is very strong" : "كلمة المرور قوية جدّاً", + "Password is extremely strong" : "كلمة المرور قوية جدّاً جدّاً", + "Unknown password strength" : "يتعذّر تقييم قوة كلمة المرور ", + "Your data directory and files are probably accessible from the internet because the <code>.htaccess</code> file does not work." : "على الأرجح أن بيانات ملفاتك ومجلداتك يمكن الوصول إليها من الإنترنت لأن الملف <code>.htaccess</code>لايعمل.", + "For information how to properly configure your server, please {linkStart}see the documentation{linkEnd}" : "لمعلومات أكثر حول كيفية تهيئة خادومك، رجاءً،{linkStart}أنظُر التوثيق {linkEnd}", + "Autoconfig file detected" : "تمّ اكتشاف ملف التهيئة التلقائية Autoconfig", + "The setup form below is pre-filled with the values from the config file." : "نموذج الإعدادات أدناه تمّت تعبئته بقيم من ملف التهيئة.", "Security warning" : "تحذير الأمان", + "Create administration account" : "إنشاء حساب إدارة", + "Administration account name" : "اسم حساب الإدارة", + "Administration account password" : "كلمة مرور حساب الإدارة", "Storage & database" : "التخزين و قاعدة البيانات", "Data folder" : "مجلد المعلومات", + "Database configuration" : "تهيئة قاعدة البيانات", + "Only {firstAndOnlyDatabase} is available." : "فقط {firstAndOnlyDatabase} متوفرة.", "Install and activate additional PHP modules to choose other database types." : "ثبت وفعل مودلات PHP اضافية لاستخدام قاعدة بيانات مختلفة.", "For more details check out the documentation." : "للمزيد من التفاصيل، يرجى الإطلاع على الدليل.", "Performance warning" : "تحذير حول الأداء", @@ -222,6 +238,7 @@ OC.L10N.register( "Database tablespace" : "مساحة جدول قاعدة البيانات", "Please specify the port number along with the host name (e.g., localhost:5432)." : "يرجى تحديد رقم المنفذ مع اسم المضيف (على سبيل المثال ، mycloud:5432).", "Database host" : "خادم قاعدة البيانات", + "localhost" : "localhost جهازك المُضِيف المحلي", "Installing …" : "جاري التثبيت...", "Install" : "تثبيت", "Need help?" : "تحتاج إلى مساعدة؟", diff --git a/core/l10n/ar.json b/core/l10n/ar.json index 5337990d276..f2624958da6 100644 --- a/core/l10n/ar.json +++ b/core/l10n/ar.json @@ -144,23 +144,23 @@ "Account name" : "اسم الحساب", "Server side authentication failed!" : "رفض الخادم المصادقة!", "Please contact your administrator." : "يرجى التواصل مع مسؤول النظام.", - "Temporary error" : "خطأ مؤقت", - "Please try again." : "يرجى المحاولة مرة أخرى.", + "Session error" : "خطأ في الجلسة", + "It appears your session token has expired, please refresh the page and try again." : "يبدو أن أَمَارَة جلستك قد انتهت صلاحيتها. رجاءً، حدِّث الصفحة ثم حاول مرة أخرى.", "An internal error occurred." : "حدث خطأ داخلي.", "Please try again or contact your administrator." : "حاول مجددا أو تواصل مع مسؤول النظام.", "Password" : "كلمة المرور", "Log in with a device" : "سجل دخولك عن طريق جهاز", "Login or email" : "تسجيل الدخول أو البريد الإلكتروني", "Your account is not setup for passwordless login." : "لم يتم إعداد حسابك لتسجيل الدخول بدون كلمة مرور.", - "Browser not supported" : "المتصفح غير مدعوم", - "Passwordless authentication is not supported in your browser." : "المصادقة بدون كلمة مرور غير مدعومة في متصفحك.", "Your connection is not secure" : "اتصالك غير آمن", "Passwordless authentication is only available over a secure connection." : "المصادقة بدون كلمة مرور متاحة فقط عبر اتصال آمن.", + "Browser not supported" : "المتصفح غير مدعوم", + "Passwordless authentication is not supported in your browser." : "المصادقة بدون كلمة مرور غير مدعومة في متصفحك.", "Reset password" : "تعديل كلمة السر", + "Back to login" : "العودة إلى تسجيل الدخول", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "إذا كان هذا الحساب موجودًا، فسيتم إرسال رسالة إعادة تعيين كلمة المرور إلى عنوان البريد الإلكتروني الخاص به. إذا لم تستلمها، فتحقق من عنوان بريدك الإلكتروني و/أو تسجيل الدخول، وتحقق من مجلدات البريد العشوائي عندك أو اطلب المساعدة من مسؤول النظام لديك.", "Couldn't send reset email. Please contact your administrator." : "تعذر إرسال البريد الإلكتروني لإعادة التعيين. يرجى مراجعة المسؤول.", "Password cannot be changed. Please contact your administrator." : "كلمة المرور لا يمكن تغييرها. فضلاً تواصل مع مسؤول النظام.", - "Back to login" : "العودة إلى تسجيل الدخول", "New password" : "كلمات سر جديدة", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "المحتوى الخاص بك مشفر. لن تكون هناك طريقة لاستعادة محتوياتك وبياناتك بعد إعادة تعيين كلمة مرورك. إذا لم تكن متأكدًا مما يجب فعله ، فيرجى الاتصال بالمسؤول قبل المتابعة. هل حقا تريد الاستمرار؟", "I know what I'm doing" : "أعرف ماذا أفعل", @@ -205,9 +205,25 @@ "Login form is disabled." : "نموذج تسجيل الدخول معطل", "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "نموذج تسجيل الدخول إلى نكست كلاود مُعطّل. استخدم خيار تسجيل دخول آخر إذا كان متاحًا أو اتصل بمسؤول النظام.", "More actions" : "إجراءات إضافية", + "Password is too weak" : "كلمة المرور ضعيفة جدّاً", + "Password is weak" : "كلمة المرور ضعيفة", + "Password is average" : "كلمة المرور متوسطة القوة", + "Password is strong" : "كلمة المرور قوية", + "Password is very strong" : "كلمة المرور قوية جدّاً", + "Password is extremely strong" : "كلمة المرور قوية جدّاً جدّاً", + "Unknown password strength" : "يتعذّر تقييم قوة كلمة المرور ", + "Your data directory and files are probably accessible from the internet because the <code>.htaccess</code> file does not work." : "على الأرجح أن بيانات ملفاتك ومجلداتك يمكن الوصول إليها من الإنترنت لأن الملف <code>.htaccess</code>لايعمل.", + "For information how to properly configure your server, please {linkStart}see the documentation{linkEnd}" : "لمعلومات أكثر حول كيفية تهيئة خادومك، رجاءً،{linkStart}أنظُر التوثيق {linkEnd}", + "Autoconfig file detected" : "تمّ اكتشاف ملف التهيئة التلقائية Autoconfig", + "The setup form below is pre-filled with the values from the config file." : "نموذج الإعدادات أدناه تمّت تعبئته بقيم من ملف التهيئة.", "Security warning" : "تحذير الأمان", + "Create administration account" : "إنشاء حساب إدارة", + "Administration account name" : "اسم حساب الإدارة", + "Administration account password" : "كلمة مرور حساب الإدارة", "Storage & database" : "التخزين و قاعدة البيانات", "Data folder" : "مجلد المعلومات", + "Database configuration" : "تهيئة قاعدة البيانات", + "Only {firstAndOnlyDatabase} is available." : "فقط {firstAndOnlyDatabase} متوفرة.", "Install and activate additional PHP modules to choose other database types." : "ثبت وفعل مودلات PHP اضافية لاستخدام قاعدة بيانات مختلفة.", "For more details check out the documentation." : "للمزيد من التفاصيل، يرجى الإطلاع على الدليل.", "Performance warning" : "تحذير حول الأداء", @@ -220,6 +236,7 @@ "Database tablespace" : "مساحة جدول قاعدة البيانات", "Please specify the port number along with the host name (e.g., localhost:5432)." : "يرجى تحديد رقم المنفذ مع اسم المضيف (على سبيل المثال ، mycloud:5432).", "Database host" : "خادم قاعدة البيانات", + "localhost" : "localhost جهازك المُضِيف المحلي", "Installing …" : "جاري التثبيت...", "Install" : "تثبيت", "Need help?" : "تحتاج إلى مساعدة؟", diff --git a/core/l10n/ast.js b/core/l10n/ast.js index 5aba6c77de2..19a1bc60ef4 100644 --- a/core/l10n/ast.js +++ b/core/l10n/ast.js @@ -136,23 +136,21 @@ OC.L10N.register( "Account name or email" : "Nome o direición de corréu de la cuenta", "Server side authentication failed!" : "¡L'autenticación de llau del sirvidor falló!", "Please contact your administrator." : "Ponte en contautu cola alministración.", - "Temporary error" : "Error temporal", - "Please try again." : "Volvi tentalo.", "An internal error occurred." : "Prodúxose un error internu.", "Please try again or contact your administrator." : "Volvi tentalo o ponte en contautu cola alministración.", "Password" : "Contraseña", "Log in with a device" : "Aniciar la sesión con un preséu", "Login or email" : "Cuenta o direición de corréu electrónicu", "Your account is not setup for passwordless login." : "La cuenta nun ta configurada p'aniciar la sesión ensin contraseñes.", - "Browser not supported" : "El restolador nun ye compatible", - "Passwordless authentication is not supported in your browser." : "El restolador nun ye compatible cola autenticación ensin contraseñes.", "Your connection is not secure" : "La conexón nun ye segura", "Passwordless authentication is only available over a secure connection." : "L'autenticación ensin contraseñes namás ta disponible per una conexón segura", + "Browser not supported" : "El restolador nun ye compatible", + "Passwordless authentication is not supported in your browser." : "El restolador nun ye compatible cola autenticación ensin contraseñes.", "Reset password" : "Reaniciu de la contraseña", + "Back to login" : "Volver al aniciu de la sesión", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Si esta cuenta esiste, unvióse un mensaxe pa reaniciar la contraseña a esta cuenta. Si nun recibiesti nengún, verifica la direición o la cuenta, comprueba la carpeta de spam o pidi ayuda a l'alministración.", "Couldn't send reset email. Please contact your administrator." : "Nun se pudo unviar el mensaxe de reaniciu. Ponte en contautu cola alministración.", "Password cannot be changed. Please contact your administrator." : "Nun se pue camudar la contraseña. Ponte en contautu cola alministración.", - "Back to login" : "Volver al aniciu de la sesión", "New password" : "Contraseña nueva", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Los ficheros tán cifraos. Nun va haber forma de recuperalos dempués de reafitar la contraseña. Si nun sabes qué facer, ponte en contautu cola alministración enantes de siguir. ¿De xuru que quies siguir?", "I know what I'm doing" : "Sé lo que faigo", diff --git a/core/l10n/ast.json b/core/l10n/ast.json index 8e8606e4dc8..e9871ed4a48 100644 --- a/core/l10n/ast.json +++ b/core/l10n/ast.json @@ -134,23 +134,21 @@ "Account name or email" : "Nome o direición de corréu de la cuenta", "Server side authentication failed!" : "¡L'autenticación de llau del sirvidor falló!", "Please contact your administrator." : "Ponte en contautu cola alministración.", - "Temporary error" : "Error temporal", - "Please try again." : "Volvi tentalo.", "An internal error occurred." : "Prodúxose un error internu.", "Please try again or contact your administrator." : "Volvi tentalo o ponte en contautu cola alministración.", "Password" : "Contraseña", "Log in with a device" : "Aniciar la sesión con un preséu", "Login or email" : "Cuenta o direición de corréu electrónicu", "Your account is not setup for passwordless login." : "La cuenta nun ta configurada p'aniciar la sesión ensin contraseñes.", - "Browser not supported" : "El restolador nun ye compatible", - "Passwordless authentication is not supported in your browser." : "El restolador nun ye compatible cola autenticación ensin contraseñes.", "Your connection is not secure" : "La conexón nun ye segura", "Passwordless authentication is only available over a secure connection." : "L'autenticación ensin contraseñes namás ta disponible per una conexón segura", + "Browser not supported" : "El restolador nun ye compatible", + "Passwordless authentication is not supported in your browser." : "El restolador nun ye compatible cola autenticación ensin contraseñes.", "Reset password" : "Reaniciu de la contraseña", + "Back to login" : "Volver al aniciu de la sesión", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Si esta cuenta esiste, unvióse un mensaxe pa reaniciar la contraseña a esta cuenta. Si nun recibiesti nengún, verifica la direición o la cuenta, comprueba la carpeta de spam o pidi ayuda a l'alministración.", "Couldn't send reset email. Please contact your administrator." : "Nun se pudo unviar el mensaxe de reaniciu. Ponte en contautu cola alministración.", "Password cannot be changed. Please contact your administrator." : "Nun se pue camudar la contraseña. Ponte en contautu cola alministración.", - "Back to login" : "Volver al aniciu de la sesión", "New password" : "Contraseña nueva", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Los ficheros tán cifraos. Nun va haber forma de recuperalos dempués de reafitar la contraseña. Si nun sabes qué facer, ponte en contautu cola alministración enantes de siguir. ¿De xuru que quies siguir?", "I know what I'm doing" : "Sé lo que faigo", diff --git a/core/l10n/bg.js b/core/l10n/bg.js index 12aaec2aeeb..209187e69df 100644 --- a/core/l10n/bg.js +++ b/core/l10n/bg.js @@ -122,14 +122,14 @@ OC.L10N.register( "Password" : "Парола", "Log in with a device" : "Вписване с устройство", "Your account is not setup for passwordless login." : "Вашият профил не е настроен за влизане без парола.", - "Browser not supported" : "Браузърът не се поддържа", - "Passwordless authentication is not supported in your browser." : "Удостоверяването без парола не се поддържа във вашия браузър.", "Your connection is not secure" : "Връзката ви не е сигурна", "Passwordless authentication is only available over a secure connection." : "Удостоверяването без парола е достъпно само чрез защитена връзка.", + "Browser not supported" : "Браузърът не се поддържа", + "Passwordless authentication is not supported in your browser." : "Удостоверяването без парола не се поддържа във вашия браузър.", "Reset password" : "Възстановяване на паролата", + "Back to login" : "Обратно към вписване", "Couldn't send reset email. Please contact your administrator." : "Неуспешно изпращане на имейл за възстановяване на паролата. Моля, свържете се с вашия администратор.", "Password cannot be changed. Please contact your administrator." : "Паролата не може да бъде променена. Моля, свържете се с вашия администратор.", - "Back to login" : "Обратно към вписване", "New password" : "Нова парола", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Вашите файлове са криптирани. След като паролата ви бъде нулирана, няма да можете да си върнете данните. Ако не сте сигурни какво да правите, моля, свържете се с вашия администратор, преди да продължите. Наистина ли искате да продължите?", "I know what I'm doing" : "Знам какво правя", diff --git a/core/l10n/bg.json b/core/l10n/bg.json index 1e752326633..be120ca257e 100644 --- a/core/l10n/bg.json +++ b/core/l10n/bg.json @@ -120,14 +120,14 @@ "Password" : "Парола", "Log in with a device" : "Вписване с устройство", "Your account is not setup for passwordless login." : "Вашият профил не е настроен за влизане без парола.", - "Browser not supported" : "Браузърът не се поддържа", - "Passwordless authentication is not supported in your browser." : "Удостоверяването без парола не се поддържа във вашия браузър.", "Your connection is not secure" : "Връзката ви не е сигурна", "Passwordless authentication is only available over a secure connection." : "Удостоверяването без парола е достъпно само чрез защитена връзка.", + "Browser not supported" : "Браузърът не се поддържа", + "Passwordless authentication is not supported in your browser." : "Удостоверяването без парола не се поддържа във вашия браузър.", "Reset password" : "Възстановяване на паролата", + "Back to login" : "Обратно към вписване", "Couldn't send reset email. Please contact your administrator." : "Неуспешно изпращане на имейл за възстановяване на паролата. Моля, свържете се с вашия администратор.", "Password cannot be changed. Please contact your administrator." : "Паролата не може да бъде променена. Моля, свържете се с вашия администратор.", - "Back to login" : "Обратно към вписване", "New password" : "Нова парола", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Вашите файлове са криптирани. След като паролата ви бъде нулирана, няма да можете да си върнете данните. Ако не сте сигурни какво да правите, моля, свържете се с вашия администратор, преди да продължите. Наистина ли искате да продължите?", "I know what I'm doing" : "Знам какво правя", diff --git a/core/l10n/br.js b/core/l10n/br.js index bbb3504e8ca..45a6817358f 100644 --- a/core/l10n/br.js +++ b/core/l10n/br.js @@ -84,11 +84,11 @@ OC.L10N.register( "Password" : "Ger-tremen", "Log in with a device" : "Mon-tre gan un ardivink", "Your account is not setup for passwordless login." : "N'eo ket arventennet ho kont evit kennaskañ hep ger-tremen.", - "Passwordless authentication is not supported in your browser." : "Ne vez ket degemeret gant ho furcher an anaouadur hep ger-tremen.", "Passwordless authentication is only available over a secure connection." : "Dilesa hep ger-tremen a vez kinniget fant ur c'henstagadur sur nemetken.", + "Passwordless authentication is not supported in your browser." : "Ne vez ket degemeret gant ho furcher an anaouadur hep ger-tremen.", "Reset password" : "Cheñch ger-tremen", - "Couldn't send reset email. Please contact your administrator." : "N'eo ket posuple kas ar postel adober. Mar-plij, kelaouit o merour.", "Back to login" : "Distro d'ar c'hennask", + "Couldn't send reset email. Please contact your administrator." : "N'eo ket posuple kas ar postel adober. Mar-plij, kelaouit o merour.", "New password" : "Ger-tremen nevez", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Sifret eo ar restr. ne vo ket posupl deoc'h adtapout ho roadenno goude bezhañ cheñchet ho ger-tremenn. Ma n'oc'h ket sur petra ober, goulenit d'ho merour a raok kendec'hel. C'hoant ho peus kendec'hel ?", "I know what I'm doing" : "Gouzout a ran petra a ran", diff --git a/core/l10n/br.json b/core/l10n/br.json index 2124dc3f165..4528c290e8b 100644 --- a/core/l10n/br.json +++ b/core/l10n/br.json @@ -82,11 +82,11 @@ "Password" : "Ger-tremen", "Log in with a device" : "Mon-tre gan un ardivink", "Your account is not setup for passwordless login." : "N'eo ket arventennet ho kont evit kennaskañ hep ger-tremen.", - "Passwordless authentication is not supported in your browser." : "Ne vez ket degemeret gant ho furcher an anaouadur hep ger-tremen.", "Passwordless authentication is only available over a secure connection." : "Dilesa hep ger-tremen a vez kinniget fant ur c'henstagadur sur nemetken.", + "Passwordless authentication is not supported in your browser." : "Ne vez ket degemeret gant ho furcher an anaouadur hep ger-tremen.", "Reset password" : "Cheñch ger-tremen", - "Couldn't send reset email. Please contact your administrator." : "N'eo ket posuple kas ar postel adober. Mar-plij, kelaouit o merour.", "Back to login" : "Distro d'ar c'hennask", + "Couldn't send reset email. Please contact your administrator." : "N'eo ket posuple kas ar postel adober. Mar-plij, kelaouit o merour.", "New password" : "Ger-tremen nevez", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Sifret eo ar restr. ne vo ket posupl deoc'h adtapout ho roadenno goude bezhañ cheñchet ho ger-tremenn. Ma n'oc'h ket sur petra ober, goulenit d'ho merour a raok kendec'hel. C'hoant ho peus kendec'hel ?", "I know what I'm doing" : "Gouzout a ran petra a ran", diff --git a/core/l10n/ca.js b/core/l10n/ca.js index 54e3e92d486..ce102cce050 100644 --- a/core/l10n/ca.js +++ b/core/l10n/ca.js @@ -140,29 +140,27 @@ OC.L10N.register( "Logging in …" : "S'està iniciant la sessió…", "Log in to {productName}" : "Inici de sessió del {productName}", "Wrong login or password." : "Inici de sessió o contrasenya incorrectes.", - "This account is disabled" : "Aquest compte està desactivat", + "This account is disabled" : "Aquest compte està inhabilitat", "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Hem detectat diversos intents d'inici de sessió no vàlids des de la vostra IP. Per tant, el següent inici de sessió s'ha endarrerit fins a 30 segons.", "Account name or email" : "Nom del compte o adreça electrònica", "Account name" : "Nom de compte", "Server side authentication failed!" : "S'ha produït un error en l'autenticació del servidor!", "Please contact your administrator." : "Contacteu amb l'administrador.", - "Temporary error" : "Error temporal", - "Please try again." : "Torneu-ho a provar.", "An internal error occurred." : "S'ha produït un error intern.", "Please try again or contact your administrator." : "Torneu-ho a provar o contacteu amb l'administrador.", "Password" : "Contrasenya", "Log in with a device" : "Inicia la sessió amb un dispositiu", "Login or email" : "Inicieu sessió o correu electrònic", "Your account is not setup for passwordless login." : "El vostre compte no està configurat per a l'inici de sessió sense contrasenya.", - "Browser not supported" : "El navegador no és compatible", - "Passwordless authentication is not supported in your browser." : "L'autenticació sense contrasenya no és compatible amb el vostre navegador.", "Your connection is not secure" : "La vostra connexió no és segura", "Passwordless authentication is only available over a secure connection." : "L'autenticació sense contrasenya només està disponible amb una connexió segura.", + "Browser not supported" : "El navegador no és compatible", + "Passwordless authentication is not supported in your browser." : "L'autenticació sense contrasenya no és compatible amb el vostre navegador.", "Reset password" : "Reinicialitza la contrasenya", - "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Si aquest compte existeix, s'ha enviat un missatge de restabliment de la contrasenya a la seva adreça electrònica. Si no el rebeu, verifiqueu la vostra adreça de correu electrònic i/o inici de sessió, comproveu les vostres carpetes de correu brossa o demaneu ajuda a l'administració local.", + "Back to login" : "Torna a l'inici de sessió", + "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Si aquest compte existeix, s'ha enviat un missatge de restabliment de la contrasenya a la seva adreça de correu electrònic. Si no el rebeu, verifiqueu la vostra adreça de correu electrònic i/o inici de sessió, comproveu les vostres carpetes de correu brossa o demaneu ajuda a l'administració local.", "Couldn't send reset email. Please contact your administrator." : "No s'ha pogut reinicialitzar l'adreça electrònica. Contacteu amb l'administrador.", "Password cannot be changed. Please contact your administrator." : "No es pot canviar la contrasenya. Contacteu amb l'administrador.", - "Back to login" : "Torna a l'inici de sessió", "New password" : "Contrasenya nova", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Els vostres fitxers estan xifrats. No hi haurà manera de recuperar les dades quan reinicialitzeu la contrasenya. Si no sabeu el que feu, contacteu amb l'administrador abans de continuar. Segur que voleu continuar ara?", "I know what I'm doing" : "Sé el que faig", @@ -170,6 +168,7 @@ OC.L10N.register( "Schedule work & meetings, synced with all your devices." : "Planifiqueu feina i reunions, amb sincronització entre tots els vostres dispositius.", "Keep your colleagues and friends in one place without leaking their private info." : "Deseu la informació de companys i amistats en un sol lloc sense revelar-ne la informació privada.", "Simple email app nicely integrated with Files, Contacts and Calendar." : "Aplicació senzilla de correu electrònic ben integrada amb les aplicacions Fitxers, Contactes i Calendari.", + "Chatting, video calls, screen sharing, online meetings and web conferencing – in your browser and with mobile apps." : "Xat, videotrucades, ús compartit de pantalla, reunions en línia i conferències web – fal navegador i amb aplicacions mòbils.", "Collaborative documents, spreadsheets and presentations, built on Collabora Online." : "Documents, fulls de càlcul i presentacions col·laboratius, basats en Collabora Online.", "Distraction free note taking app." : "Aplicació per a prendre notes sense distraccions.", "Recommended apps" : "Aplicacions recomanades", @@ -206,9 +205,25 @@ OC.L10N.register( "Login form is disabled." : "El formulari d'inici de sessió està inhabilitat.", "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "El formulari d'inici de sessió de Nextcloud està desactivat. Utilitzeu una altra opció d'inici de sessió si està disponible o poseu-vos en contacte amb la vostra administració.", "More actions" : "Més accions", + "Password is too weak" : "La contrasenya és massa feble", + "Password is weak" : "La contrasenya és feble", + "Password is average" : "La contrasenya és mitjana", + "Password is strong" : "La contrasenya és segura", + "Password is very strong" : "La contrasenya és molt forta", + "Password is extremely strong" : "La contrasenya és extremadament segura", + "Unknown password strength" : "Força de contrasenya desconeguda", + "Your data directory and files are probably accessible from the internet because the <code>.htaccess</code> file does not work." : "Probablement es pugui accedir al vostre directori de dades i fitxers des d'Internet perquè el fitxer <code>.htaccess</code> no funciona.", + "For information how to properly configure your server, please {linkStart}see the documentation{linkEnd}" : "Per obtenir informació sobre com configurar correctament el vostre servidor, {linkStart}consulteu la documentació{linkEnd}", + "Autoconfig file detected" : "S'ha detectat un fitxer de configuració automàtica", + "The setup form below is pre-filled with the values from the config file." : "El formulari de configuració següent està emplenat prèviament amb els valors del fitxer de configuració.", "Security warning" : "Avís de seguretat", + "Create administration account" : "Crear un compte d'administració", + "Administration account name" : "Nom del compte d'administració", + "Administration account password" : "Contrasenya del compte d'administració", "Storage & database" : "Emmagatzematge i base de dades", "Data folder" : "Carpeta de dades", + "Database configuration" : "Configuració de la base de dades", + "Only {firstAndOnlyDatabase} is available." : "Només {firstAndOnlyDatabase} està disponible.", "Install and activate additional PHP modules to choose other database types." : "Instal·leu i activeu mòduls del PHP addicionals per a seleccionar altres tipus de bases de dades.", "For more details check out the documentation." : "Per a conèixer més detalls, consulteu la documentació.", "Performance warning" : "Avís de rendiment", @@ -221,6 +236,7 @@ OC.L10N.register( "Database tablespace" : "Espai de taula de la base de dades", "Please specify the port number along with the host name (e.g., localhost:5432)." : "Especifiqueu el número de port, juntament amb el nom del servidor (per exemple, localhost:5432).", "Database host" : "Servidor de la base de dades", + "localhost" : "localhost", "Installing …" : "S'està instal·lant…", "Install" : "Instal·la", "Need help?" : "Necessiteu ajuda?", @@ -276,7 +292,7 @@ OC.L10N.register( "Rename" : "Canvia el nom", "Collaborative tags" : "Etiquetes col·laboratives", "No tags found" : "No s'ha trobat cap etiqueta", - "Clipboard not available, please copy manually" : "El porta-retalls no està disponible, copieu-lo manualment:", + "Clipboard not available, please copy manually" : "El porta-retalls no està disponible; copieu-lo manualment", "Personal" : "Personal", "Accounts" : "Comptes", "Admin" : "Administració", @@ -361,8 +377,8 @@ OC.L10N.register( "This page will refresh itself when the instance is available again." : "Aquesta pàgina s'actualitzarà automàticament quan la instància torni a estar disponible.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacteu amb l'administrador del sistema si aquest missatge persisteix o si apareix inesperadament.", "Currently open" : "Oberta actualment", - "Login with username or email" : "Inicieu sessió amb nom d'usuari o correu electrònic", - "Login with username" : "Inicieu sessió amb el nom d'usuari", + "Login with username or email" : "Inici de sessió amb nom d'usuari o correu electrònic", + "Login with username" : "Inici de sessió amb el nom d'usuari", "Chatting, video calls, screensharing, online meetings and web conferencing – in your browser and with mobile apps." : "Xat, videotrucades, pantalla compartida, reunions en línia i conferències per Internet; en el navegador i amb aplicacions mòbils.", "You have not added any info yet" : "Encara no heu afegit cap informació", "{user} has not added any info yet" : "{user} encara no ha afegit cap informació", diff --git a/core/l10n/ca.json b/core/l10n/ca.json index 0772122028f..59740f11d9b 100644 --- a/core/l10n/ca.json +++ b/core/l10n/ca.json @@ -138,29 +138,27 @@ "Logging in …" : "S'està iniciant la sessió…", "Log in to {productName}" : "Inici de sessió del {productName}", "Wrong login or password." : "Inici de sessió o contrasenya incorrectes.", - "This account is disabled" : "Aquest compte està desactivat", + "This account is disabled" : "Aquest compte està inhabilitat", "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Hem detectat diversos intents d'inici de sessió no vàlids des de la vostra IP. Per tant, el següent inici de sessió s'ha endarrerit fins a 30 segons.", "Account name or email" : "Nom del compte o adreça electrònica", "Account name" : "Nom de compte", "Server side authentication failed!" : "S'ha produït un error en l'autenticació del servidor!", "Please contact your administrator." : "Contacteu amb l'administrador.", - "Temporary error" : "Error temporal", - "Please try again." : "Torneu-ho a provar.", "An internal error occurred." : "S'ha produït un error intern.", "Please try again or contact your administrator." : "Torneu-ho a provar o contacteu amb l'administrador.", "Password" : "Contrasenya", "Log in with a device" : "Inicia la sessió amb un dispositiu", "Login or email" : "Inicieu sessió o correu electrònic", "Your account is not setup for passwordless login." : "El vostre compte no està configurat per a l'inici de sessió sense contrasenya.", - "Browser not supported" : "El navegador no és compatible", - "Passwordless authentication is not supported in your browser." : "L'autenticació sense contrasenya no és compatible amb el vostre navegador.", "Your connection is not secure" : "La vostra connexió no és segura", "Passwordless authentication is only available over a secure connection." : "L'autenticació sense contrasenya només està disponible amb una connexió segura.", + "Browser not supported" : "El navegador no és compatible", + "Passwordless authentication is not supported in your browser." : "L'autenticació sense contrasenya no és compatible amb el vostre navegador.", "Reset password" : "Reinicialitza la contrasenya", - "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Si aquest compte existeix, s'ha enviat un missatge de restabliment de la contrasenya a la seva adreça electrònica. Si no el rebeu, verifiqueu la vostra adreça de correu electrònic i/o inici de sessió, comproveu les vostres carpetes de correu brossa o demaneu ajuda a l'administració local.", + "Back to login" : "Torna a l'inici de sessió", + "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Si aquest compte existeix, s'ha enviat un missatge de restabliment de la contrasenya a la seva adreça de correu electrònic. Si no el rebeu, verifiqueu la vostra adreça de correu electrònic i/o inici de sessió, comproveu les vostres carpetes de correu brossa o demaneu ajuda a l'administració local.", "Couldn't send reset email. Please contact your administrator." : "No s'ha pogut reinicialitzar l'adreça electrònica. Contacteu amb l'administrador.", "Password cannot be changed. Please contact your administrator." : "No es pot canviar la contrasenya. Contacteu amb l'administrador.", - "Back to login" : "Torna a l'inici de sessió", "New password" : "Contrasenya nova", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Els vostres fitxers estan xifrats. No hi haurà manera de recuperar les dades quan reinicialitzeu la contrasenya. Si no sabeu el que feu, contacteu amb l'administrador abans de continuar. Segur que voleu continuar ara?", "I know what I'm doing" : "Sé el que faig", @@ -168,6 +166,7 @@ "Schedule work & meetings, synced with all your devices." : "Planifiqueu feina i reunions, amb sincronització entre tots els vostres dispositius.", "Keep your colleagues and friends in one place without leaking their private info." : "Deseu la informació de companys i amistats en un sol lloc sense revelar-ne la informació privada.", "Simple email app nicely integrated with Files, Contacts and Calendar." : "Aplicació senzilla de correu electrònic ben integrada amb les aplicacions Fitxers, Contactes i Calendari.", + "Chatting, video calls, screen sharing, online meetings and web conferencing – in your browser and with mobile apps." : "Xat, videotrucades, ús compartit de pantalla, reunions en línia i conferències web – fal navegador i amb aplicacions mòbils.", "Collaborative documents, spreadsheets and presentations, built on Collabora Online." : "Documents, fulls de càlcul i presentacions col·laboratius, basats en Collabora Online.", "Distraction free note taking app." : "Aplicació per a prendre notes sense distraccions.", "Recommended apps" : "Aplicacions recomanades", @@ -204,9 +203,25 @@ "Login form is disabled." : "El formulari d'inici de sessió està inhabilitat.", "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "El formulari d'inici de sessió de Nextcloud està desactivat. Utilitzeu una altra opció d'inici de sessió si està disponible o poseu-vos en contacte amb la vostra administració.", "More actions" : "Més accions", + "Password is too weak" : "La contrasenya és massa feble", + "Password is weak" : "La contrasenya és feble", + "Password is average" : "La contrasenya és mitjana", + "Password is strong" : "La contrasenya és segura", + "Password is very strong" : "La contrasenya és molt forta", + "Password is extremely strong" : "La contrasenya és extremadament segura", + "Unknown password strength" : "Força de contrasenya desconeguda", + "Your data directory and files are probably accessible from the internet because the <code>.htaccess</code> file does not work." : "Probablement es pugui accedir al vostre directori de dades i fitxers des d'Internet perquè el fitxer <code>.htaccess</code> no funciona.", + "For information how to properly configure your server, please {linkStart}see the documentation{linkEnd}" : "Per obtenir informació sobre com configurar correctament el vostre servidor, {linkStart}consulteu la documentació{linkEnd}", + "Autoconfig file detected" : "S'ha detectat un fitxer de configuració automàtica", + "The setup form below is pre-filled with the values from the config file." : "El formulari de configuració següent està emplenat prèviament amb els valors del fitxer de configuració.", "Security warning" : "Avís de seguretat", + "Create administration account" : "Crear un compte d'administració", + "Administration account name" : "Nom del compte d'administració", + "Administration account password" : "Contrasenya del compte d'administració", "Storage & database" : "Emmagatzematge i base de dades", "Data folder" : "Carpeta de dades", + "Database configuration" : "Configuració de la base de dades", + "Only {firstAndOnlyDatabase} is available." : "Només {firstAndOnlyDatabase} està disponible.", "Install and activate additional PHP modules to choose other database types." : "Instal·leu i activeu mòduls del PHP addicionals per a seleccionar altres tipus de bases de dades.", "For more details check out the documentation." : "Per a conèixer més detalls, consulteu la documentació.", "Performance warning" : "Avís de rendiment", @@ -219,6 +234,7 @@ "Database tablespace" : "Espai de taula de la base de dades", "Please specify the port number along with the host name (e.g., localhost:5432)." : "Especifiqueu el número de port, juntament amb el nom del servidor (per exemple, localhost:5432).", "Database host" : "Servidor de la base de dades", + "localhost" : "localhost", "Installing …" : "S'està instal·lant…", "Install" : "Instal·la", "Need help?" : "Necessiteu ajuda?", @@ -274,7 +290,7 @@ "Rename" : "Canvia el nom", "Collaborative tags" : "Etiquetes col·laboratives", "No tags found" : "No s'ha trobat cap etiqueta", - "Clipboard not available, please copy manually" : "El porta-retalls no està disponible, copieu-lo manualment:", + "Clipboard not available, please copy manually" : "El porta-retalls no està disponible; copieu-lo manualment", "Personal" : "Personal", "Accounts" : "Comptes", "Admin" : "Administració", @@ -359,8 +375,8 @@ "This page will refresh itself when the instance is available again." : "Aquesta pàgina s'actualitzarà automàticament quan la instància torni a estar disponible.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Contacteu amb l'administrador del sistema si aquest missatge persisteix o si apareix inesperadament.", "Currently open" : "Oberta actualment", - "Login with username or email" : "Inicieu sessió amb nom d'usuari o correu electrònic", - "Login with username" : "Inicieu sessió amb el nom d'usuari", + "Login with username or email" : "Inici de sessió amb nom d'usuari o correu electrònic", + "Login with username" : "Inici de sessió amb el nom d'usuari", "Chatting, video calls, screensharing, online meetings and web conferencing – in your browser and with mobile apps." : "Xat, videotrucades, pantalla compartida, reunions en línia i conferències per Internet; en el navegador i amb aplicacions mòbils.", "You have not added any info yet" : "Encara no heu afegit cap informació", "{user} has not added any info yet" : "{user} encara no ha afegit cap informació", diff --git a/core/l10n/cs.js b/core/l10n/cs.js index cdb3b3b43d9..6c7c53fc3cc 100644 --- a/core/l10n/cs.js +++ b/core/l10n/cs.js @@ -146,23 +146,23 @@ OC.L10N.register( "Account name" : "Název účtu", "Server side authentication failed!" : "Ověření se na straně serveru se nezdařilo!", "Please contact your administrator." : "Obraťte se na svého správce.", - "Temporary error" : "Chvilková chyba", - "Please try again." : "Zkuste to znovu.", + "Session error" : "Chyba relace", + "It appears your session token has expired, please refresh the page and try again." : "Zdá se, že platnost vašeho tokenu relace skončila – načtěte stránku znovu a zkuste znovu, o co jste se pokoušeli.", "An internal error occurred." : "Došlo k vnitřní chybě.", "Please try again or contact your administrator." : "Zkuste to znovu nebo se obraťte na správce.", "Password" : "Heslo", "Log in with a device" : "Přihlásit se pomocí zařízení", "Login or email" : "Přihlašovací jméno nebo e-mail", "Your account is not setup for passwordless login." : "Váš účet nemá nastavené přihlašování se bez hesla.", - "Browser not supported" : "Prohlížeč není podporován", - "Passwordless authentication is not supported in your browser." : "Přihlašování se bez hesla není ve vámi používaném prohlížeči podporováno.", "Your connection is not secure" : "Vaše připojení není zabezpečené", "Passwordless authentication is only available over a secure connection." : "Ověření se bez hesla je k dispozici pouze přes zabezpečené připojení.", + "Browser not supported" : "Prohlížeč není podporován", + "Passwordless authentication is not supported in your browser." : "Přihlašování se bez hesla není ve vámi používaném prohlížeči podporováno.", "Reset password" : "Resetovat heslo", + "Back to login" : "Zpět na přihlášení", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Pokud tento účet existuje, byla na jeho e-mailovou adresu odeslána zpráva s pokyny pro znovunastavení hesla. Pokud jste ji neobdrželi, zkontrolujte správnost zadání e-mailové adresy a/nebo přihlašovacího jména, dále se podívejte také do složek s nevyžádanou poštou (spam). Případně požádejte svého místního správce o pomoc.", "Couldn't send reset email. Please contact your administrator." : "Nepodařilo se odeslat e-mail pro změnu hesla. Obraťte se na správce.", "Password cannot be changed. Please contact your administrator." : "Heslo nelze změnit. Obraťte se na svého správce systému.", - "Back to login" : "Zpět na přihlášení", "New password" : "Nové heslo", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Vaše soubory jsou šifrované. Vyresetováním hesla nebude způsob, jak získat vaše data zpět. Pokud nevíte, co dělat, nepokračujte a obraťte se na svého správce. Opravdu chcete pokračovat?", "I know what I'm doing" : "Vím co dělám", diff --git a/core/l10n/cs.json b/core/l10n/cs.json index 88cbb183f36..4f8792e3539 100644 --- a/core/l10n/cs.json +++ b/core/l10n/cs.json @@ -144,23 +144,23 @@ "Account name" : "Název účtu", "Server side authentication failed!" : "Ověření se na straně serveru se nezdařilo!", "Please contact your administrator." : "Obraťte se na svého správce.", - "Temporary error" : "Chvilková chyba", - "Please try again." : "Zkuste to znovu.", + "Session error" : "Chyba relace", + "It appears your session token has expired, please refresh the page and try again." : "Zdá se, že platnost vašeho tokenu relace skončila – načtěte stránku znovu a zkuste znovu, o co jste se pokoušeli.", "An internal error occurred." : "Došlo k vnitřní chybě.", "Please try again or contact your administrator." : "Zkuste to znovu nebo se obraťte na správce.", "Password" : "Heslo", "Log in with a device" : "Přihlásit se pomocí zařízení", "Login or email" : "Přihlašovací jméno nebo e-mail", "Your account is not setup for passwordless login." : "Váš účet nemá nastavené přihlašování se bez hesla.", - "Browser not supported" : "Prohlížeč není podporován", - "Passwordless authentication is not supported in your browser." : "Přihlašování se bez hesla není ve vámi používaném prohlížeči podporováno.", "Your connection is not secure" : "Vaše připojení není zabezpečené", "Passwordless authentication is only available over a secure connection." : "Ověření se bez hesla je k dispozici pouze přes zabezpečené připojení.", + "Browser not supported" : "Prohlížeč není podporován", + "Passwordless authentication is not supported in your browser." : "Přihlašování se bez hesla není ve vámi používaném prohlížeči podporováno.", "Reset password" : "Resetovat heslo", + "Back to login" : "Zpět na přihlášení", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Pokud tento účet existuje, byla na jeho e-mailovou adresu odeslána zpráva s pokyny pro znovunastavení hesla. Pokud jste ji neobdrželi, zkontrolujte správnost zadání e-mailové adresy a/nebo přihlašovacího jména, dále se podívejte také do složek s nevyžádanou poštou (spam). Případně požádejte svého místního správce o pomoc.", "Couldn't send reset email. Please contact your administrator." : "Nepodařilo se odeslat e-mail pro změnu hesla. Obraťte se na správce.", "Password cannot be changed. Please contact your administrator." : "Heslo nelze změnit. Obraťte se na svého správce systému.", - "Back to login" : "Zpět na přihlášení", "New password" : "Nové heslo", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Vaše soubory jsou šifrované. Vyresetováním hesla nebude způsob, jak získat vaše data zpět. Pokud nevíte, co dělat, nepokračujte a obraťte se na svého správce. Opravdu chcete pokračovat?", "I know what I'm doing" : "Vím co dělám", diff --git a/core/l10n/da.js b/core/l10n/da.js index 528f3316685..b14a2783a06 100644 --- a/core/l10n/da.js +++ b/core/l10n/da.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "Kontonavn", "Server side authentication failed!" : "Server side godkendelse mislykkedes!", "Please contact your administrator." : "Kontakt venligst din administrator.", - "Temporary error" : "Midlertidig fejl", - "Please try again." : "Prøv venligst igen.", "An internal error occurred." : "Der opstod en intern fejl.", "Please try again or contact your administrator." : "Kontakt venligst din administrator.", "Password" : "Adgangskode", "Log in with a device" : "Log ind med en enhed", "Login or email" : "Log ind med e-mail", "Your account is not setup for passwordless login." : "Din konto er ikke opsat til kodefri login.", - "Browser not supported" : "Browser ikke understøttet", - "Passwordless authentication is not supported in your browser." : "Kodefri bekræftelse er ikke understøttet af din browser.", "Your connection is not secure" : "Din forbindelse er ikke sikker", "Passwordless authentication is only available over a secure connection." : "Kodefri bekræftelse er kun understøttet gennem en sikker forbindelse.", + "Browser not supported" : "Browser ikke understøttet", + "Passwordless authentication is not supported in your browser." : "Kodefri bekræftelse er ikke understøttet af din browser.", "Reset password" : "Nulstil kodeord", + "Back to login" : "Tilbage til log in", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Hvis denne konto eksisterer, er der sendt en besked om nulstilling af adgangskode til dens e-mailadresse. Hvis du ikke modtager det, skal du bekræfte din e-mailadresse og/eller login, tjekke dine spam-/junk-mapper eller bede din lokale administration om hjælp.", "Couldn't send reset email. Please contact your administrator." : "Der opstod et problem under afsending af e-mailen til nulstilling. Kontakt venligst din administrator.", "Password cannot be changed. Please contact your administrator." : "Adgangskoden kan ikke ændres. Kontakt venligst din administrator.", - "Back to login" : "Tilbage til log in", "New password" : "Ny adgangskode", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Dine filer er krypteret. Det vil ikke være muligt at kunne genskabe din data hvis din adgangskode nulstilles. Hvis du ikke er sikker på hvad du skal gøre, så kontakt venligst din administrator før du fortsætter. Ønsker du at forsætte?", "I know what I'm doing" : "Jeg ved, hvad jeg har gang i", diff --git a/core/l10n/da.json b/core/l10n/da.json index 923e4b79dc2..1edce70575a 100644 --- a/core/l10n/da.json +++ b/core/l10n/da.json @@ -144,23 +144,21 @@ "Account name" : "Kontonavn", "Server side authentication failed!" : "Server side godkendelse mislykkedes!", "Please contact your administrator." : "Kontakt venligst din administrator.", - "Temporary error" : "Midlertidig fejl", - "Please try again." : "Prøv venligst igen.", "An internal error occurred." : "Der opstod en intern fejl.", "Please try again or contact your administrator." : "Kontakt venligst din administrator.", "Password" : "Adgangskode", "Log in with a device" : "Log ind med en enhed", "Login or email" : "Log ind med e-mail", "Your account is not setup for passwordless login." : "Din konto er ikke opsat til kodefri login.", - "Browser not supported" : "Browser ikke understøttet", - "Passwordless authentication is not supported in your browser." : "Kodefri bekræftelse er ikke understøttet af din browser.", "Your connection is not secure" : "Din forbindelse er ikke sikker", "Passwordless authentication is only available over a secure connection." : "Kodefri bekræftelse er kun understøttet gennem en sikker forbindelse.", + "Browser not supported" : "Browser ikke understøttet", + "Passwordless authentication is not supported in your browser." : "Kodefri bekræftelse er ikke understøttet af din browser.", "Reset password" : "Nulstil kodeord", + "Back to login" : "Tilbage til log in", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Hvis denne konto eksisterer, er der sendt en besked om nulstilling af adgangskode til dens e-mailadresse. Hvis du ikke modtager det, skal du bekræfte din e-mailadresse og/eller login, tjekke dine spam-/junk-mapper eller bede din lokale administration om hjælp.", "Couldn't send reset email. Please contact your administrator." : "Der opstod et problem under afsending af e-mailen til nulstilling. Kontakt venligst din administrator.", "Password cannot be changed. Please contact your administrator." : "Adgangskoden kan ikke ændres. Kontakt venligst din administrator.", - "Back to login" : "Tilbage til log in", "New password" : "Ny adgangskode", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Dine filer er krypteret. Det vil ikke være muligt at kunne genskabe din data hvis din adgangskode nulstilles. Hvis du ikke er sikker på hvad du skal gøre, så kontakt venligst din administrator før du fortsætter. Ønsker du at forsætte?", "I know what I'm doing" : "Jeg ved, hvad jeg har gang i", diff --git a/core/l10n/de.js b/core/l10n/de.js index f3ec0643790..c79885fe5b6 100644 --- a/core/l10n/de.js +++ b/core/l10n/de.js @@ -146,23 +146,23 @@ OC.L10N.register( "Account name" : "Name des Kontos", "Server side authentication failed!" : "Serverseitige Authentifizierung fehlgeschlagen!", "Please contact your administrator." : "Bitte kontaktiere die Administration.", - "Temporary error" : "Vorübergehender Fehler", - "Please try again." : "Bitte erneut versuchen.", + "Session error" : "Sitzungsfehler", + "It appears your session token has expired, please refresh the page and try again." : "Der Sitzungstoken scheint abgelaufen zu sein. Bitte diese Seite aktualisieren und neu versuchen.", "An internal error occurred." : "Es ist ein interner Fehler aufgetreten.", "Please try again or contact your administrator." : "Bitte versuche es noch einmal oder kontaktiere die Administration.", "Password" : "Passwort", "Log in with a device" : "Mit einem Gerät anmelden", "Login or email" : "Anmeldename oder E-Mail-Adresse", "Your account is not setup for passwordless login." : "Dein Konto ist nicht für eine Anmeldung ohne Passwort eingerichtet.", - "Browser not supported" : "Browser wird nicht unterstützt!", - "Passwordless authentication is not supported in your browser." : "Anmeldung ohne Passwort wird von deinem Browser nicht unterstützt.", "Your connection is not secure" : "Deine Verbindung ist nicht sicher", "Passwordless authentication is only available over a secure connection." : "Anmeldung ohne Passwort ist nur über eine sichere Verbindung möglich", + "Browser not supported" : "Browser wird nicht unterstützt!", + "Passwordless authentication is not supported in your browser." : "Anmeldung ohne Passwort wird von deinem Browser nicht unterstützt.", "Reset password" : "Passwort zurücksetzen", + "Back to login" : "Zur Anmeldung wechseln", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Sofern dieses Konto existiert, wurde eine Nachricht zum Zurücksetzen des Passworts an die hinterlegte E-Mail-Adresse gesendet. Wenn du diese E-Mail nicht erhältst, überprüfe deine E-Mail-Adresse und/oder Anmeldenamen, überprüfe deinen Spam-/Junk-Ordner oder bitte deine lokale Administration um Hilfe.", "Couldn't send reset email. Please contact your administrator." : "Die E-Mail zum Zurücksetzen konnte nicht gesendet werden. Bitte kontaktiere deine Administration.", "Password cannot be changed. Please contact your administrator." : "Passwort kann nicht geändert werden. Bitte wende dich an deine Administration.", - "Back to login" : "Zur Anmeldung wechseln", "New password" : "Neues Passwort", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Deine Dateien sind verschlüsselt. Es gibt keinen Weg deine Dateien nach dem Rücksetzen des Passwortes wiederherzustellen. Falls du dir nicht sicher bist, kontaktiere deine Administration. Möchtest du wirklich fortfahren?", "I know what I'm doing" : "Ich weiß, was ich mache", diff --git a/core/l10n/de.json b/core/l10n/de.json index 4ae8cdc2c89..cdc8483b409 100644 --- a/core/l10n/de.json +++ b/core/l10n/de.json @@ -144,23 +144,23 @@ "Account name" : "Name des Kontos", "Server side authentication failed!" : "Serverseitige Authentifizierung fehlgeschlagen!", "Please contact your administrator." : "Bitte kontaktiere die Administration.", - "Temporary error" : "Vorübergehender Fehler", - "Please try again." : "Bitte erneut versuchen.", + "Session error" : "Sitzungsfehler", + "It appears your session token has expired, please refresh the page and try again." : "Der Sitzungstoken scheint abgelaufen zu sein. Bitte diese Seite aktualisieren und neu versuchen.", "An internal error occurred." : "Es ist ein interner Fehler aufgetreten.", "Please try again or contact your administrator." : "Bitte versuche es noch einmal oder kontaktiere die Administration.", "Password" : "Passwort", "Log in with a device" : "Mit einem Gerät anmelden", "Login or email" : "Anmeldename oder E-Mail-Adresse", "Your account is not setup for passwordless login." : "Dein Konto ist nicht für eine Anmeldung ohne Passwort eingerichtet.", - "Browser not supported" : "Browser wird nicht unterstützt!", - "Passwordless authentication is not supported in your browser." : "Anmeldung ohne Passwort wird von deinem Browser nicht unterstützt.", "Your connection is not secure" : "Deine Verbindung ist nicht sicher", "Passwordless authentication is only available over a secure connection." : "Anmeldung ohne Passwort ist nur über eine sichere Verbindung möglich", + "Browser not supported" : "Browser wird nicht unterstützt!", + "Passwordless authentication is not supported in your browser." : "Anmeldung ohne Passwort wird von deinem Browser nicht unterstützt.", "Reset password" : "Passwort zurücksetzen", + "Back to login" : "Zur Anmeldung wechseln", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Sofern dieses Konto existiert, wurde eine Nachricht zum Zurücksetzen des Passworts an die hinterlegte E-Mail-Adresse gesendet. Wenn du diese E-Mail nicht erhältst, überprüfe deine E-Mail-Adresse und/oder Anmeldenamen, überprüfe deinen Spam-/Junk-Ordner oder bitte deine lokale Administration um Hilfe.", "Couldn't send reset email. Please contact your administrator." : "Die E-Mail zum Zurücksetzen konnte nicht gesendet werden. Bitte kontaktiere deine Administration.", "Password cannot be changed. Please contact your administrator." : "Passwort kann nicht geändert werden. Bitte wende dich an deine Administration.", - "Back to login" : "Zur Anmeldung wechseln", "New password" : "Neues Passwort", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Deine Dateien sind verschlüsselt. Es gibt keinen Weg deine Dateien nach dem Rücksetzen des Passwortes wiederherzustellen. Falls du dir nicht sicher bist, kontaktiere deine Administration. Möchtest du wirklich fortfahren?", "I know what I'm doing" : "Ich weiß, was ich mache", diff --git a/core/l10n/de_DE.js b/core/l10n/de_DE.js index 20b728cc40d..f732d3d34d5 100644 --- a/core/l10n/de_DE.js +++ b/core/l10n/de_DE.js @@ -146,23 +146,23 @@ OC.L10N.register( "Account name" : "Name des Kontos", "Server side authentication failed!" : "Serverseitige Authentifizierung fehlgeschlagen!", "Please contact your administrator." : "Bitte kontaktieren Sie Ihre Administration.", - "Temporary error" : "Vorübergehender Fehler", - "Please try again." : "Bitte erneut versuchen.", + "Session error" : "Sitzungsfehler", + "It appears your session token has expired, please refresh the page and try again." : "Der Sitzungstoken scheint abgelaufen zu sein. Bitte diese Seite aktualisieren und neu versuchen.", "An internal error occurred." : "Es ist ein interner Fehler aufgetreten.", "Please try again or contact your administrator." : "Bitte erneut versuchen oder kontaktieren Sie Ihre Administration.", "Password" : "Passwort", "Log in with a device" : "Mit einem Gerät anmelden", "Login or email" : "Anmeldename oder E-Mail-Adresse", "Your account is not setup for passwordless login." : "Ihr Konto ist nicht für eine Anmeldung ohne Passwort eingerichtet.", - "Browser not supported" : "Browser wird nicht unterstützt!", - "Passwordless authentication is not supported in your browser." : "Anmeldung ohne Passwort wird von Ihrem Browser nicht unterstützt.", "Your connection is not secure" : "Ihre Verbindung ist nicht sicher", "Passwordless authentication is only available over a secure connection." : "Anmeldung ohne Passwort ist nur über eine sichere Verbindung möglich", + "Browser not supported" : "Browser wird nicht unterstützt!", + "Passwordless authentication is not supported in your browser." : "Anmeldung ohne Passwort wird von Ihrem Browser nicht unterstützt.", "Reset password" : "Passwort zurücksetzen", + "Back to login" : "Zurück zur Anmeldung", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Sofern dieses Konto existiert, wurde eine Nachricht zum Zurücksetzen des Passworts an die hinterlegte E-Mail-Adresse gesendet. Wenn Sie diese E-Mail nicht erhalten, überprüfen Sie Ihre E-Mail-Adresse und/oder Anmeldenamen, überprüfen Sie Ihre Spam-/Junk-Ordner oder bitten Sie Ihre lokale Administration um Hilfe.", "Couldn't send reset email. Please contact your administrator." : "Die E-Mail zum Zurücksetzen konnte nicht versendet werden. Bitte kontaktieren Sie Ihre Administration.", "Password cannot be changed. Please contact your administrator." : "Passwort kann nicht geändert werden. Bitte kontaktieren Sie Ihre Administration.", - "Back to login" : "Zurück zur Anmeldung", "New password" : "Neues Passwort", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Ihre Dateien sind verschlüsselt. Es gibt keine Möglichkeit, Ihre Dateien nach dem Zurücksetzen des Passwortes wiederherzustellen. Falls Sie sich nicht sicher sind, kontaktieren Sie zunächst Ihre Administration. Möchten Sie wirklich fortfahren?", "I know what I'm doing" : "Ich weiß, was ich mache", diff --git a/core/l10n/de_DE.json b/core/l10n/de_DE.json index 4a317c42bd1..1953fc7f5a2 100644 --- a/core/l10n/de_DE.json +++ b/core/l10n/de_DE.json @@ -144,23 +144,23 @@ "Account name" : "Name des Kontos", "Server side authentication failed!" : "Serverseitige Authentifizierung fehlgeschlagen!", "Please contact your administrator." : "Bitte kontaktieren Sie Ihre Administration.", - "Temporary error" : "Vorübergehender Fehler", - "Please try again." : "Bitte erneut versuchen.", + "Session error" : "Sitzungsfehler", + "It appears your session token has expired, please refresh the page and try again." : "Der Sitzungstoken scheint abgelaufen zu sein. Bitte diese Seite aktualisieren und neu versuchen.", "An internal error occurred." : "Es ist ein interner Fehler aufgetreten.", "Please try again or contact your administrator." : "Bitte erneut versuchen oder kontaktieren Sie Ihre Administration.", "Password" : "Passwort", "Log in with a device" : "Mit einem Gerät anmelden", "Login or email" : "Anmeldename oder E-Mail-Adresse", "Your account is not setup for passwordless login." : "Ihr Konto ist nicht für eine Anmeldung ohne Passwort eingerichtet.", - "Browser not supported" : "Browser wird nicht unterstützt!", - "Passwordless authentication is not supported in your browser." : "Anmeldung ohne Passwort wird von Ihrem Browser nicht unterstützt.", "Your connection is not secure" : "Ihre Verbindung ist nicht sicher", "Passwordless authentication is only available over a secure connection." : "Anmeldung ohne Passwort ist nur über eine sichere Verbindung möglich", + "Browser not supported" : "Browser wird nicht unterstützt!", + "Passwordless authentication is not supported in your browser." : "Anmeldung ohne Passwort wird von Ihrem Browser nicht unterstützt.", "Reset password" : "Passwort zurücksetzen", + "Back to login" : "Zurück zur Anmeldung", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Sofern dieses Konto existiert, wurde eine Nachricht zum Zurücksetzen des Passworts an die hinterlegte E-Mail-Adresse gesendet. Wenn Sie diese E-Mail nicht erhalten, überprüfen Sie Ihre E-Mail-Adresse und/oder Anmeldenamen, überprüfen Sie Ihre Spam-/Junk-Ordner oder bitten Sie Ihre lokale Administration um Hilfe.", "Couldn't send reset email. Please contact your administrator." : "Die E-Mail zum Zurücksetzen konnte nicht versendet werden. Bitte kontaktieren Sie Ihre Administration.", "Password cannot be changed. Please contact your administrator." : "Passwort kann nicht geändert werden. Bitte kontaktieren Sie Ihre Administration.", - "Back to login" : "Zurück zur Anmeldung", "New password" : "Neues Passwort", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Ihre Dateien sind verschlüsselt. Es gibt keine Möglichkeit, Ihre Dateien nach dem Zurücksetzen des Passwortes wiederherzustellen. Falls Sie sich nicht sicher sind, kontaktieren Sie zunächst Ihre Administration. Möchten Sie wirklich fortfahren?", "I know what I'm doing" : "Ich weiß, was ich mache", diff --git a/core/l10n/el.js b/core/l10n/el.js index 4466c495e0f..40919eafc8f 100644 --- a/core/l10n/el.js +++ b/core/l10n/el.js @@ -134,21 +134,19 @@ OC.L10N.register( "Account name" : "Όνομα λογαριασμού", "Server side authentication failed!" : "Αποτυχημένη πιστοποίηση από πλευράς διακομιστή!", "Please contact your administrator." : "Παρακαλούμε επικοινωνήστε με τον διαχειριστή.", - "Temporary error" : "Προσωρινό σφάλμα", - "Please try again." : "Παρακαλώ δοκιμάστε ξανά.", "An internal error occurred." : "Παρουσιάστηκε ένα εσωτερικό σφάλμα.", "Please try again or contact your administrator." : "Παρακαλούμε δοκιμάστε ξανά ή επικοινωνήστε με τον διαχειριστή.", "Password" : "Συνθηματικό", "Log in with a device" : "Συνδεθείτε με συσκευή", "Your account is not setup for passwordless login." : "Ο λογαριασμός σας δεν έχει ρυθμιστεί για σύνδεση χωρίς κωδικό πρόσβασης.", - "Browser not supported" : "Το πρόγραμμα περιήγησης δεν υποστηρίζεται", - "Passwordless authentication is not supported in your browser." : "Η σύνδεση χωρίς κωδικό πρόσβασης δεν υποστηρίζεται από τον περιηγητή σας.", "Your connection is not secure" : "Η σύνδεσή σας δεν είναι ασφαλής", "Passwordless authentication is only available over a secure connection." : "Η σύνδεση χωρίς κωδικό πρόσβασης υποστηρίζεται μόνο από ασφαλή σύνδεση.", + "Browser not supported" : "Το πρόγραμμα περιήγησης δεν υποστηρίζεται", + "Passwordless authentication is not supported in your browser." : "Η σύνδεση χωρίς κωδικό πρόσβασης δεν υποστηρίζεται από τον περιηγητή σας.", "Reset password" : "Επαναφορά συνθηματικού", + "Back to login" : "Πίσω στην είσοδο", "Couldn't send reset email. Please contact your administrator." : "Αδυναμία αποστολής ηλεκτρονικού μηνύματος επαναφοράς. Παρακαλώ επικοινωνήστε με το διαχειριστή.", "Password cannot be changed. Please contact your administrator." : "Ο κωδικός πρόσβασης δεν μπορεί να αλλάξει. Παρακαλώ επικοινωνήστε με τον διαχειριστή σας.", - "Back to login" : "Πίσω στην είσοδο", "New password" : "Νέο συνθηματικό", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Τα αρχεία σας είναι κρυπτογραφημένα. Δεν θα υπάρξει κανένας τρόπος για να έχετε πρόσβαση στα δεδομένα σας μετά την επαναφορά του συνθηματικού σας. Αν δεν είστε σίγουροι για το τι πρέπει να κάνετε, επικοινωνήστε με το διαχειριστή, πριν να συνεχίσετε. Θέλετε σίγουρα να συνεχίσετε;", "I know what I'm doing" : "Γνωρίζω τι κάνω", @@ -190,6 +188,12 @@ OC.L10N.register( "Back" : "Πίσω", "Login form is disabled." : "Η φόρμα σύνδεσης είναι απενεργοποιημένη.", "More actions" : "Περισσότερες ενέργειες", + "Password is too weak" : "Ο κωδικός πρόσβασης είναι πολύ αδύναμος", + "Password is weak" : "Ο κωδικός πρόσβασης είναι αδύναμος", + "Password is average" : "Ο κωδικός πρόσβασης είναι μέτριος", + "Password is strong" : "Ο κωδικός πρόσβασης είναι ισχυρός", + "Password is very strong" : "Ο κωδικός πρόσβασης είναι πολύ ισχυρός", + "Password is extremely strong" : "Ο κωδικός πρόσβασης είναι εξαιρετικά ισχυρός", "Security warning" : "Προειδοποίηση ασφαλείας", "Storage & database" : "Αποθηκευτικός χώρος & βάση δεδομένων", "Data folder" : "Φάκελος δεδομένων", diff --git a/core/l10n/el.json b/core/l10n/el.json index d7bdc77c5ed..ac61662fc75 100644 --- a/core/l10n/el.json +++ b/core/l10n/el.json @@ -132,21 +132,19 @@ "Account name" : "Όνομα λογαριασμού", "Server side authentication failed!" : "Αποτυχημένη πιστοποίηση από πλευράς διακομιστή!", "Please contact your administrator." : "Παρακαλούμε επικοινωνήστε με τον διαχειριστή.", - "Temporary error" : "Προσωρινό σφάλμα", - "Please try again." : "Παρακαλώ δοκιμάστε ξανά.", "An internal error occurred." : "Παρουσιάστηκε ένα εσωτερικό σφάλμα.", "Please try again or contact your administrator." : "Παρακαλούμε δοκιμάστε ξανά ή επικοινωνήστε με τον διαχειριστή.", "Password" : "Συνθηματικό", "Log in with a device" : "Συνδεθείτε με συσκευή", "Your account is not setup for passwordless login." : "Ο λογαριασμός σας δεν έχει ρυθμιστεί για σύνδεση χωρίς κωδικό πρόσβασης.", - "Browser not supported" : "Το πρόγραμμα περιήγησης δεν υποστηρίζεται", - "Passwordless authentication is not supported in your browser." : "Η σύνδεση χωρίς κωδικό πρόσβασης δεν υποστηρίζεται από τον περιηγητή σας.", "Your connection is not secure" : "Η σύνδεσή σας δεν είναι ασφαλής", "Passwordless authentication is only available over a secure connection." : "Η σύνδεση χωρίς κωδικό πρόσβασης υποστηρίζεται μόνο από ασφαλή σύνδεση.", + "Browser not supported" : "Το πρόγραμμα περιήγησης δεν υποστηρίζεται", + "Passwordless authentication is not supported in your browser." : "Η σύνδεση χωρίς κωδικό πρόσβασης δεν υποστηρίζεται από τον περιηγητή σας.", "Reset password" : "Επαναφορά συνθηματικού", + "Back to login" : "Πίσω στην είσοδο", "Couldn't send reset email. Please contact your administrator." : "Αδυναμία αποστολής ηλεκτρονικού μηνύματος επαναφοράς. Παρακαλώ επικοινωνήστε με το διαχειριστή.", "Password cannot be changed. Please contact your administrator." : "Ο κωδικός πρόσβασης δεν μπορεί να αλλάξει. Παρακαλώ επικοινωνήστε με τον διαχειριστή σας.", - "Back to login" : "Πίσω στην είσοδο", "New password" : "Νέο συνθηματικό", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Τα αρχεία σας είναι κρυπτογραφημένα. Δεν θα υπάρξει κανένας τρόπος για να έχετε πρόσβαση στα δεδομένα σας μετά την επαναφορά του συνθηματικού σας. Αν δεν είστε σίγουροι για το τι πρέπει να κάνετε, επικοινωνήστε με το διαχειριστή, πριν να συνεχίσετε. Θέλετε σίγουρα να συνεχίσετε;", "I know what I'm doing" : "Γνωρίζω τι κάνω", @@ -188,6 +186,12 @@ "Back" : "Πίσω", "Login form is disabled." : "Η φόρμα σύνδεσης είναι απενεργοποιημένη.", "More actions" : "Περισσότερες ενέργειες", + "Password is too weak" : "Ο κωδικός πρόσβασης είναι πολύ αδύναμος", + "Password is weak" : "Ο κωδικός πρόσβασης είναι αδύναμος", + "Password is average" : "Ο κωδικός πρόσβασης είναι μέτριος", + "Password is strong" : "Ο κωδικός πρόσβασης είναι ισχυρός", + "Password is very strong" : "Ο κωδικός πρόσβασης είναι πολύ ισχυρός", + "Password is extremely strong" : "Ο κωδικός πρόσβασης είναι εξαιρετικά ισχυρός", "Security warning" : "Προειδοποίηση ασφαλείας", "Storage & database" : "Αποθηκευτικός χώρος & βάση δεδομένων", "Data folder" : "Φάκελος δεδομένων", diff --git a/core/l10n/en_GB.js b/core/l10n/en_GB.js index b9b186a1911..a4e4c78a105 100644 --- a/core/l10n/en_GB.js +++ b/core/l10n/en_GB.js @@ -146,23 +146,23 @@ OC.L10N.register( "Account name" : "Account name", "Server side authentication failed!" : "Server side authentication failed!", "Please contact your administrator." : "Please contact your administrator.", - "Temporary error" : "Temporary error", - "Please try again." : "Please try again.", + "Session error" : "Session error", + "It appears your session token has expired, please refresh the page and try again." : "It appears your session token has expired, please refresh the page and try again.", "An internal error occurred." : "An internal error occurred.", "Please try again or contact your administrator." : "Please try again or contact your administrator.", "Password" : "Password", "Log in with a device" : "Log in with a device", "Login or email" : "Login or email", "Your account is not setup for passwordless login." : "Your account is not setup for passwordless login.", - "Browser not supported" : "Browser not supported", - "Passwordless authentication is not supported in your browser." : "Passwordless authentication is not supported in your browser.", "Your connection is not secure" : "Your connection is not secure", "Passwordless authentication is only available over a secure connection." : "Passwordless authentication is only available over a secure connection.", + "Browser not supported" : "Browser not supported", + "Passwordless authentication is not supported in your browser." : "Passwordless authentication is not supported in your browser.", "Reset password" : "Reset password", + "Back to login" : "Back to login", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help.", "Couldn't send reset email. Please contact your administrator." : "Couldn't send reset email. Please contact your administrator.", "Password cannot be changed. Please contact your administrator." : "Password cannot be changed. Please contact your administrator.", - "Back to login" : "Back to login", "New password" : "New password", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?", "I know what I'm doing" : "I know what I'm doing", diff --git a/core/l10n/en_GB.json b/core/l10n/en_GB.json index e36ce68bef1..093c9564552 100644 --- a/core/l10n/en_GB.json +++ b/core/l10n/en_GB.json @@ -144,23 +144,23 @@ "Account name" : "Account name", "Server side authentication failed!" : "Server side authentication failed!", "Please contact your administrator." : "Please contact your administrator.", - "Temporary error" : "Temporary error", - "Please try again." : "Please try again.", + "Session error" : "Session error", + "It appears your session token has expired, please refresh the page and try again." : "It appears your session token has expired, please refresh the page and try again.", "An internal error occurred." : "An internal error occurred.", "Please try again or contact your administrator." : "Please try again or contact your administrator.", "Password" : "Password", "Log in with a device" : "Log in with a device", "Login or email" : "Login or email", "Your account is not setup for passwordless login." : "Your account is not setup for passwordless login.", - "Browser not supported" : "Browser not supported", - "Passwordless authentication is not supported in your browser." : "Passwordless authentication is not supported in your browser.", "Your connection is not secure" : "Your connection is not secure", "Passwordless authentication is only available over a secure connection." : "Passwordless authentication is only available over a secure connection.", + "Browser not supported" : "Browser not supported", + "Passwordless authentication is not supported in your browser." : "Passwordless authentication is not supported in your browser.", "Reset password" : "Reset password", + "Back to login" : "Back to login", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help.", "Couldn't send reset email. Please contact your administrator." : "Couldn't send reset email. Please contact your administrator.", "Password cannot be changed. Please contact your administrator." : "Password cannot be changed. Please contact your administrator.", - "Back to login" : "Back to login", "New password" : "New password", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?", "I know what I'm doing" : "I know what I'm doing", diff --git a/core/l10n/eo.js b/core/l10n/eo.js index 422c67e7656..cf167519480 100644 --- a/core/l10n/eo.js +++ b/core/l10n/eo.js @@ -117,12 +117,12 @@ OC.L10N.register( "Please try again or contact your administrator." : "Bonvolu provi ree aŭ kontakti vian administranton.", "Password" : "Pasvorto", "Your account is not setup for passwordless login." : "Via konto ne estas agordita por uzi senpasvortan ensaluton.", - "Passwordless authentication is not supported in your browser." : "Senpasvorta aŭtentigo ne eblas per via retumilo.", "Your connection is not secure" : "La konekto ne sekuras", "Passwordless authentication is only available over a secure connection." : "Senpasvorta aŭtentigo eblas nur pere de sekura konekto.", + "Passwordless authentication is not supported in your browser." : "Senpasvorta aŭtentigo ne eblas per via retumilo.", "Reset password" : "Restarigi pasvorton", - "Couldn't send reset email. Please contact your administrator." : "Ne eblas sendi retpoŝton pri restarigo. Bonvolu kontakti vian administranton.", "Back to login" : "Antaŭen al ensaluto", + "Couldn't send reset email. Please contact your administrator." : "Ne eblas sendi retpoŝton pri restarigo. Bonvolu kontakti vian administranton.", "New password" : "Nova pasvorto", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Viaj dosieroj estas ĉifritaj. Ne estos eble rehavi viajn datumojn post la restarigo de via pasvorto. Se vi ne tute certas pri kio fari, bonvolu pridemandi vian administranton, antaŭ ol daŭrigi. Ĉu vi ja volas daŭrigi?", "I know what I'm doing" : "Mi scias, kion mi faras", diff --git a/core/l10n/eo.json b/core/l10n/eo.json index 1cf7681e00b..57e8c02096c 100644 --- a/core/l10n/eo.json +++ b/core/l10n/eo.json @@ -115,12 +115,12 @@ "Please try again or contact your administrator." : "Bonvolu provi ree aŭ kontakti vian administranton.", "Password" : "Pasvorto", "Your account is not setup for passwordless login." : "Via konto ne estas agordita por uzi senpasvortan ensaluton.", - "Passwordless authentication is not supported in your browser." : "Senpasvorta aŭtentigo ne eblas per via retumilo.", "Your connection is not secure" : "La konekto ne sekuras", "Passwordless authentication is only available over a secure connection." : "Senpasvorta aŭtentigo eblas nur pere de sekura konekto.", + "Passwordless authentication is not supported in your browser." : "Senpasvorta aŭtentigo ne eblas per via retumilo.", "Reset password" : "Restarigi pasvorton", - "Couldn't send reset email. Please contact your administrator." : "Ne eblas sendi retpoŝton pri restarigo. Bonvolu kontakti vian administranton.", "Back to login" : "Antaŭen al ensaluto", + "Couldn't send reset email. Please contact your administrator." : "Ne eblas sendi retpoŝton pri restarigo. Bonvolu kontakti vian administranton.", "New password" : "Nova pasvorto", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Viaj dosieroj estas ĉifritaj. Ne estos eble rehavi viajn datumojn post la restarigo de via pasvorto. Se vi ne tute certas pri kio fari, bonvolu pridemandi vian administranton, antaŭ ol daŭrigi. Ĉu vi ja volas daŭrigi?", "I know what I'm doing" : "Mi scias, kion mi faras", diff --git a/core/l10n/es.js b/core/l10n/es.js index 4661e5c6853..23865f8dfa5 100644 --- a/core/l10n/es.js +++ b/core/l10n/es.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "Nombre de cuenta", "Server side authentication failed!" : "La autenticación ha fallado en el servidor.", "Please contact your administrator." : "Por favor, contacte con el administrador.", - "Temporary error" : "Error temporal", - "Please try again." : "Por favor, inténtelo de nuevo.", "An internal error occurred." : "Ha habido un error interno.", "Please try again or contact your administrator." : "Por favor reintente nuevamente o contáctese con su administrador.", "Password" : "Contraseña", "Log in with a device" : "Iniciar sesión con dispositivo", "Login or email" : "Nombre de usuario o correo electrónico", "Your account is not setup for passwordless login." : "Tu cuenta no está configurada para iniciar de sesión sin contraseña", - "Browser not supported" : "Navegador no compatible", - "Passwordless authentication is not supported in your browser." : "La autenticación sin contraseña no está soportada en tu navegador.", "Your connection is not secure" : "Tu conexión no es segura", "Passwordless authentication is only available over a secure connection." : "La autenticación sin contraseña solo está disponible bajo una conexión segura.", + "Browser not supported" : "Navegador no compatible", + "Passwordless authentication is not supported in your browser." : "La autenticación sin contraseña no está soportada en tu navegador.", "Reset password" : "Restablecer contraseña", + "Back to login" : "Volver a la identificación", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Si la cuenta existe, se ha enviado un mensaje para reestablecer la contraseña a su dirección de correo. Si no lo recibe, verifique su dirección de correo y/o su nombre de cuenta, compruebe también sus carpetas de Spam/Correo basura o solicite ayuda a su administrador.", "Couldn't send reset email. Please contact your administrator." : "No pudo enviarse el correo para restablecer la contraseña. Por favor, contacte con su administrador.", "Password cannot be changed. Please contact your administrator." : "La contraseña no puede ser cambiada. Por favor, contacte con su administrador.", - "Back to login" : "Volver a la identificación", "New password" : "Nueva contraseña", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Tus archivos están encriptados. No habrá forma de recuperar sus datos después de restablecer su contraseña. Si no está seguro de qué hacer, comuníquese con su administrador antes de continuar. ¿De verdad quieres continuar?", "I know what I'm doing" : "Sé lo que estoy haciendo", diff --git a/core/l10n/es.json b/core/l10n/es.json index f41218e89c7..aa4a27344fb 100644 --- a/core/l10n/es.json +++ b/core/l10n/es.json @@ -144,23 +144,21 @@ "Account name" : "Nombre de cuenta", "Server side authentication failed!" : "La autenticación ha fallado en el servidor.", "Please contact your administrator." : "Por favor, contacte con el administrador.", - "Temporary error" : "Error temporal", - "Please try again." : "Por favor, inténtelo de nuevo.", "An internal error occurred." : "Ha habido un error interno.", "Please try again or contact your administrator." : "Por favor reintente nuevamente o contáctese con su administrador.", "Password" : "Contraseña", "Log in with a device" : "Iniciar sesión con dispositivo", "Login or email" : "Nombre de usuario o correo electrónico", "Your account is not setup for passwordless login." : "Tu cuenta no está configurada para iniciar de sesión sin contraseña", - "Browser not supported" : "Navegador no compatible", - "Passwordless authentication is not supported in your browser." : "La autenticación sin contraseña no está soportada en tu navegador.", "Your connection is not secure" : "Tu conexión no es segura", "Passwordless authentication is only available over a secure connection." : "La autenticación sin contraseña solo está disponible bajo una conexión segura.", + "Browser not supported" : "Navegador no compatible", + "Passwordless authentication is not supported in your browser." : "La autenticación sin contraseña no está soportada en tu navegador.", "Reset password" : "Restablecer contraseña", + "Back to login" : "Volver a la identificación", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Si la cuenta existe, se ha enviado un mensaje para reestablecer la contraseña a su dirección de correo. Si no lo recibe, verifique su dirección de correo y/o su nombre de cuenta, compruebe también sus carpetas de Spam/Correo basura o solicite ayuda a su administrador.", "Couldn't send reset email. Please contact your administrator." : "No pudo enviarse el correo para restablecer la contraseña. Por favor, contacte con su administrador.", "Password cannot be changed. Please contact your administrator." : "La contraseña no puede ser cambiada. Por favor, contacte con su administrador.", - "Back to login" : "Volver a la identificación", "New password" : "Nueva contraseña", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Tus archivos están encriptados. No habrá forma de recuperar sus datos después de restablecer su contraseña. Si no está seguro de qué hacer, comuníquese con su administrador antes de continuar. ¿De verdad quieres continuar?", "I know what I'm doing" : "Sé lo que estoy haciendo", diff --git a/core/l10n/es_AR.js b/core/l10n/es_AR.js index 4a522f1adf5..de623ca17aa 100644 --- a/core/l10n/es_AR.js +++ b/core/l10n/es_AR.js @@ -102,14 +102,15 @@ OC.L10N.register( "Load more results" : "Cargar más resultados", "Log in" : "Ingresar", "Logging in …" : "Ingresando ...", + "Account name" : "Nombre de la cuenta", "Server side authentication failed!" : "¡Falló la autenticación del lado del servidor!", "Please contact your administrator." : "Favor de contactar al administrador.", "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Favor de volver a intentarlo o contacte a su adminsitrador. ", "Password" : "Contraseña", "Reset password" : "Restablecer contraseña", - "Couldn't send reset email. Please contact your administrator." : "No fue posible enviar el correo de restauración. Favor de contactar a su adminsitrador. ", "Back to login" : "Volver para iniciar sesión", + "Couldn't send reset email. Please contact your administrator." : "No fue posible enviar el correo de restauración. Favor de contactar a su adminsitrador. ", "New password" : "Nueva contraseña", "I know what I'm doing" : "Sé lo que estoy haciendo", "Resetting password" : "Restableciendo contraseña", @@ -186,6 +187,7 @@ OC.L10N.register( "Access forbidden" : "Acceso denegado", "Page not found" : "Página no encontrada", "Back to %s" : "Volver a %s", + "There were too many requests from your network. Retry later or contact your administrator if this is an error." : "Hubo demasiadas solicitudes desde tu red. Volvé a intentarlo más tarde o ponete en contacto con tu administrador si se trata de un error.", "Error" : "Error", "Internal Server Error" : "Error interno del servidor", "More details can be found in the server log." : "Puede consultar más detalles en la bitácora del servidor. ", diff --git a/core/l10n/es_AR.json b/core/l10n/es_AR.json index 89817f29a03..723ad8a28cb 100644 --- a/core/l10n/es_AR.json +++ b/core/l10n/es_AR.json @@ -100,14 +100,15 @@ "Load more results" : "Cargar más resultados", "Log in" : "Ingresar", "Logging in …" : "Ingresando ...", + "Account name" : "Nombre de la cuenta", "Server side authentication failed!" : "¡Falló la autenticación del lado del servidor!", "Please contact your administrator." : "Favor de contactar al administrador.", "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Favor de volver a intentarlo o contacte a su adminsitrador. ", "Password" : "Contraseña", "Reset password" : "Restablecer contraseña", - "Couldn't send reset email. Please contact your administrator." : "No fue posible enviar el correo de restauración. Favor de contactar a su adminsitrador. ", "Back to login" : "Volver para iniciar sesión", + "Couldn't send reset email. Please contact your administrator." : "No fue posible enviar el correo de restauración. Favor de contactar a su adminsitrador. ", "New password" : "Nueva contraseña", "I know what I'm doing" : "Sé lo que estoy haciendo", "Resetting password" : "Restableciendo contraseña", @@ -184,6 +185,7 @@ "Access forbidden" : "Acceso denegado", "Page not found" : "Página no encontrada", "Back to %s" : "Volver a %s", + "There were too many requests from your network. Retry later or contact your administrator if this is an error." : "Hubo demasiadas solicitudes desde tu red. Volvé a intentarlo más tarde o ponete en contacto con tu administrador si se trata de un error.", "Error" : "Error", "Internal Server Error" : "Error interno del servidor", "More details can be found in the server log." : "Puede consultar más detalles en la bitácora del servidor. ", diff --git a/core/l10n/es_EC.js b/core/l10n/es_EC.js index 63ac800a3d9..01bbd0da7bc 100644 --- a/core/l10n/es_EC.js +++ b/core/l10n/es_EC.js @@ -115,14 +115,14 @@ OC.L10N.register( "Password" : "Contraseña", "Log in with a device" : "Iniciar sesión con un dispositivo", "Your account is not setup for passwordless login." : "Su cuenta no está configurada para iniciar sesión sin contraseña.", - "Browser not supported" : "Navegador no compatible", - "Passwordless authentication is not supported in your browser." : "La autenticación sin contraseña no es compatible con su navegador.", "Your connection is not secure" : "Su conexión no es segura", "Passwordless authentication is only available over a secure connection." : "La autenticación sin contraseña solo está disponible a través de una conexión segura.", + "Browser not supported" : "Navegador no compatible", + "Passwordless authentication is not supported in your browser." : "La autenticación sin contraseña no es compatible con su navegador.", "Reset password" : "Restablecer contraseña", + "Back to login" : "Regresar al inicio de sesión", "Couldn't send reset email. Please contact your administrator." : "No fue posible enviar el correo de restauración. Por favor contacta a tu adminsitrador. ", "Password cannot be changed. Please contact your administrator." : "No se puede cambiar la contraseña. Por favor, contacte a su administrador.", - "Back to login" : "Regresar al inicio de sesión", "New password" : "Nueva contraseña", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Sus archivos están cifrados. No habrá forma de recuperar sus datos después de restablecer su contraseña. Si no está seguro de qué hacer, por favor contacte a su administrador antes de continuar. ¿Desea continuar?", "I know what I'm doing" : "Sé lo que estoy haciendo", diff --git a/core/l10n/es_EC.json b/core/l10n/es_EC.json index 0e27c48623f..78a52698b74 100644 --- a/core/l10n/es_EC.json +++ b/core/l10n/es_EC.json @@ -113,14 +113,14 @@ "Password" : "Contraseña", "Log in with a device" : "Iniciar sesión con un dispositivo", "Your account is not setup for passwordless login." : "Su cuenta no está configurada para iniciar sesión sin contraseña.", - "Browser not supported" : "Navegador no compatible", - "Passwordless authentication is not supported in your browser." : "La autenticación sin contraseña no es compatible con su navegador.", "Your connection is not secure" : "Su conexión no es segura", "Passwordless authentication is only available over a secure connection." : "La autenticación sin contraseña solo está disponible a través de una conexión segura.", + "Browser not supported" : "Navegador no compatible", + "Passwordless authentication is not supported in your browser." : "La autenticación sin contraseña no es compatible con su navegador.", "Reset password" : "Restablecer contraseña", + "Back to login" : "Regresar al inicio de sesión", "Couldn't send reset email. Please contact your administrator." : "No fue posible enviar el correo de restauración. Por favor contacta a tu adminsitrador. ", "Password cannot be changed. Please contact your administrator." : "No se puede cambiar la contraseña. Por favor, contacte a su administrador.", - "Back to login" : "Regresar al inicio de sesión", "New password" : "Nueva contraseña", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Sus archivos están cifrados. No habrá forma de recuperar sus datos después de restablecer su contraseña. Si no está seguro de qué hacer, por favor contacte a su administrador antes de continuar. ¿Desea continuar?", "I know what I'm doing" : "Sé lo que estoy haciendo", diff --git a/core/l10n/es_MX.js b/core/l10n/es_MX.js index 0d1e064940d..33281c31ecb 100644 --- a/core/l10n/es_MX.js +++ b/core/l10n/es_MX.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "Nombre de cuenta", "Server side authentication failed!" : "¡Falló la autenticación del lado del servidor!", "Please contact your administrator." : "Por favor contacta al administrador.", - "Temporary error" : "Error temporal", - "Please try again." : "Por favor, inténtelo de nuevo", "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Password" : "Contraseña", "Log in with a device" : "Iniciar sesión con dispositivo", "Login or email" : "Nombre de usuario o correo electrónico", "Your account is not setup for passwordless login." : "Tu cuenta no está configurada para iniciar sesión sin contraseña", - "Browser not supported" : "Navegador no compatible", - "Passwordless authentication is not supported in your browser." : "La autenticación sin contraseña no está soportada en tu navegador.", "Your connection is not secure" : "Tu conexión no es segura", "Passwordless authentication is only available over a secure connection." : "La autenticación sin contraseña solo está disponible bajo una conexión segura.", + "Browser not supported" : "Navegador no compatible", + "Passwordless authentication is not supported in your browser." : "La autenticación sin contraseña no está soportada en tu navegador.", "Reset password" : "Restablecer contraseña", + "Back to login" : "Regresar al inicio de sesión", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Si la cuenta existe, se ha enviado un mensaje para reestablecer la contraseña a su dirección de correo. Si no lo recibe, verifique su dirección de correo y/o usuario, compruebe sus carpetas de correo basura o solicite ayuda a su administración.", "Couldn't send reset email. Please contact your administrator." : "No fue posible enviar el correo de restauración. Por favor contacta a tu adminsitrador. ", "Password cannot be changed. Please contact your administrator." : "La contraseña no puede ser cambiada. Por favor, contacte con su administrador.", - "Back to login" : "Regresar al inicio de sesión", "New password" : "Nueva contraseña", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Sus archivos están encriptados. No habrá forma de recuperar sus datos después de restablecer su contraseña. Si no está seguro de qué hacer, contacte a su administrador antes de continuar. ¿Realmente desea continuar?", "I know what I'm doing" : "Sé lo que estoy haciendo", diff --git a/core/l10n/es_MX.json b/core/l10n/es_MX.json index f20aaeafce7..168558d90ff 100644 --- a/core/l10n/es_MX.json +++ b/core/l10n/es_MX.json @@ -144,23 +144,21 @@ "Account name" : "Nombre de cuenta", "Server side authentication failed!" : "¡Falló la autenticación del lado del servidor!", "Please contact your administrator." : "Por favor contacta al administrador.", - "Temporary error" : "Error temporal", - "Please try again." : "Por favor, inténtelo de nuevo", "An internal error occurred." : "Se presentó un error interno.", "Please try again or contact your administrator." : "Por favor vuelve a intentarlo o contacta a tu adminsitrador. ", "Password" : "Contraseña", "Log in with a device" : "Iniciar sesión con dispositivo", "Login or email" : "Nombre de usuario o correo electrónico", "Your account is not setup for passwordless login." : "Tu cuenta no está configurada para iniciar sesión sin contraseña", - "Browser not supported" : "Navegador no compatible", - "Passwordless authentication is not supported in your browser." : "La autenticación sin contraseña no está soportada en tu navegador.", "Your connection is not secure" : "Tu conexión no es segura", "Passwordless authentication is only available over a secure connection." : "La autenticación sin contraseña solo está disponible bajo una conexión segura.", + "Browser not supported" : "Navegador no compatible", + "Passwordless authentication is not supported in your browser." : "La autenticación sin contraseña no está soportada en tu navegador.", "Reset password" : "Restablecer contraseña", + "Back to login" : "Regresar al inicio de sesión", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Si la cuenta existe, se ha enviado un mensaje para reestablecer la contraseña a su dirección de correo. Si no lo recibe, verifique su dirección de correo y/o usuario, compruebe sus carpetas de correo basura o solicite ayuda a su administración.", "Couldn't send reset email. Please contact your administrator." : "No fue posible enviar el correo de restauración. Por favor contacta a tu adminsitrador. ", "Password cannot be changed. Please contact your administrator." : "La contraseña no puede ser cambiada. Por favor, contacte con su administrador.", - "Back to login" : "Regresar al inicio de sesión", "New password" : "Nueva contraseña", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Sus archivos están encriptados. No habrá forma de recuperar sus datos después de restablecer su contraseña. Si no está seguro de qué hacer, contacte a su administrador antes de continuar. ¿Realmente desea continuar?", "I know what I'm doing" : "Sé lo que estoy haciendo", diff --git a/core/l10n/et_EE.js b/core/l10n/et_EE.js index cab9325792e..d8aac9ea55f 100644 --- a/core/l10n/et_EE.js +++ b/core/l10n/et_EE.js @@ -22,29 +22,57 @@ OC.L10N.register( "No crop data provided" : "Lõikeandmeid ei leitud", "No valid crop data provided" : "Kehtivaid lõikeandmeid ei leitud", "Crop is not square" : "Lõikamine pole ruudukujuline", - "Invalid app password" : "Vale rakenduse parool", + "State token does not match" : "Oleku tunnusluba ei klapi", + "Invalid app password" : "Rakenduse vale salasõna", "Could not complete login" : "Sisselogimine ebaõnnestus", + "State token missing" : "Oleku tunnusluba on puudu", + "Your login token is invalid or has expired" : "Sinu sisselogimise tunnusluba on kas vigane või aegunud", + "This community release of Nextcloud is unsupported and push notifications are limited." : "See Nextcloudi kogukonnaversioon pole toetatud ja tõuketeenuste kasutatavus on piiratud.", "Login" : "Logi sisse", + "Unsupported email length (>255)" : "E-kirja pikkus pole toetatud (>255)", "Password reset is disabled" : "Parooli lähtestamine on välja lülitatud", - "Password is too long. Maximum allowed length is 469 characters." : "Parool on liiga pikk. Suurim lubatud pikkus on 469 sümbolit.", - "%s password reset" : "%s parooli lähtestamine", - "Password reset" : "Parooli lähtestamine ", + "Could not reset password because the token is expired" : "Kuna tunnusluba on aegunud, siis salasõna lähtestamine pole võimalik", + "Could not reset password because the token is invalid" : "Kuna tunnusluba on vigane, siis salasõna lähtestamine pole võimalik", + "Password is too long. Maximum allowed length is 469 characters." : "Salasõna on liiga pikk. Suurim lubatud pikkus on 469 sümbolit.", + "%s password reset" : "Salasõna lähtestamine: %s", + "Password reset" : "Salasõna lähtestamine ", "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Kliki allolevale nupule, et lähtestada oma parool. Kui sa ei ole parooli lähtestamist soovinud, siis ignoreeri seda e-kirja.", "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Kliki allolevale lingile, et lähtestada oma parool. Kui sa ei ole parooli lähtestamist soovinud. siis ignoreeri seda e-kirja.", - "Reset your password" : "Lähtesta oma parool", + "Reset your password" : "Lähtesta oma salasõna", + "The given provider is not available" : "Antud teenusepakkuja pole saadaval", + "Task not found" : "Ülesannet ei leidu", + "Internal error" : "Sisemine viga", + "Not found" : "Ei leidu", + "Bad request" : "Vigane päring", + "Requested task type does not exist" : "Küsitud ülesannete tüüpi ei leidu", + "Necessary language model provider is not available" : "Vajaliku keelemudeli teenusepakkuja pole saadaval", + "No text to image provider is available" : "Ühtegi optilise tekstituvastuse teenusepakkujat pole saadaval", + "Image not found" : "Pilti ei leidu", + "No translation provider available" : "Ühtegi tõlketeenuse pakkujat pole saadaval", "Could not detect language" : "Ei suutnud keelt tuvastada", "Unable to translate" : "Viga tõlkimisel", - "Nextcloud Server" : "Nextcloud Server", - "Preparing update" : "Uuendamise ettevalmistamine", + "Nextcloud Server" : "Nextcloudi server", + "Some of your link shares have been removed" : "Mõned sinu linkide jagamised on eemaldatud", + "Due to a security bug we had to remove some of your link shares. Please see the link for more information." : "Turvavea tõttu pidime mõned sinu linkide jagamised eemaldama. Lisateabe lugemiseks palun klõpsi järgnevat linki.", + "The account limit of this instance is reached." : "Selle serveri kasutajakontode arvu ülempiir on käes.", + "Enter your subscription key in the support app in order to increase the account limit. This does also grant you all additional benefits that Nextcloud Enterprise offers and is highly recommended for the operation in companies." : "Kasutajakontode arvu ülepiiri suurendamiseks sisesta oma tellimuse võti tugiteenuste rakenduses. Samaga saad kasutusele võtta ka kõik Nextcloud Enterprise'i lisavõimalused, mille kasutamine suurtes organisatsioonides on soovitatav.", + "Learn more ↗" : "Lisateave ↗", + "Preparing update" : "Valmistan ette uuendamist", "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair step:" : "Paranduse samm:", + "Repair info:" : "Paranduse teave:", + "Repair warning:" : "Paranduse hoiatus:", + "Repair error:" : "Paranduse viga:", + "Please use the command line updater because updating via browser is disabled in your config.php." : "Palun kasuta uuendamiseks käsurida, kuna uuendamine veebibrauserist on config.php failis välja lülitatud.", "Turned on maintenance mode" : "Hooldusrežiim sisse lülitatud", "Turned off maintenance mode" : "Hooldusrežiim välja lülitatud", "Maintenance mode is kept active" : "Hooldusrežiim on aktiivne", "Updating database schema" : "Andmebaasi skeemi uuendamine", "Updated database" : "Andmebaas uuendatud", + "Update app \"%s\" from App Store" : "Uuenda „%s“ rakendust rakenduste poest", "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Kontrollitakse, kas %s andmebaasi skeemi saab uuendada (see võib võtta kaua aega, sõltuvalt andmebaasi suurusest)", - "Updated \"%1$s\" to %2$s" : "\"%1$s\" uuendatud versioonile %2$s", - "Set log level to debug" : "Määra logimise tase silumisele", + "Updated \"%1$s\" to %2$s" : "„%1$s“ on uuendatud versioonini %2$s", + "Set log level to debug" : "Seadista veaotsinguks vajalik logimise tase", "Reset log level" : "Lähtesta logimise tase", "Starting code integrity check" : "Koodi terviklikkuse kontrolli alustamine", "Finished code integrity check" : "Koodi terviklikkuse kontrolli lõpp", @@ -52,58 +80,99 @@ OC.L10N.register( "The following apps have been disabled: %s" : "Järgmised rakendused lülitati välja: %s", "Already up to date" : "On juba ajakohane", "Error occurred while checking server setup" : "Serveri seadete kontrolimisel tekkis viga", + "For more details see the {linkstart}documentation ↗{linkend}." : "Lisateavet leiad {linkstart}dokumentatsioonist ↗{linkend}.", "unknown text" : "tundmatu tekst", "Hello world!" : "Tere maailm!", "sunny" : "päikeseline", "Hello {name}, the weather is {weather}" : "Tere {name}, ilm on {weather}", "Hello {name}" : "Tere, {name}", + "<strong>These are your search results<script>alert(1)</script></strong>" : "<strong>Need on sinu otsingutulemused: <script>alert(1)</script></strong>", "new" : "uus", "_download %n file_::_download %n files_" : ["laadi alla %n fail","laadi alla %n faili"], "The update is in progress, leaving this page might interrupt the process in some environments." : "Uuendamine on pooleli, sellelt lehelt lahkumine võib mõnes keskkonnas protsessi katkestada.", "Update to {version}" : "Uuenda versioonile {version}", - "An error occurred." : "Tekkis tõrge.", + "An error occurred." : "Tekkis viga.", "Please reload the page." : "Palun laadi leht uuesti.", "The update was unsuccessful. For more information <a href=\"{url}\">check our forum post</a> covering this issue." : "Uuendamine ebaõnnestus. Täiendavat infot <a href=\"{url}\">vaata meie foorumipostitusest</a>.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/nextcloud/server/issues\" target=\"_blank\">Nextcloud community</a>." : "Uuendamine ebaõnnestus. Palun teavita probleemist <a href=\"https://github.com/nextcloud/server/issues\" target=\"_blank\">Nextcloudi kogukonda</a>.", + "Continue to {productName}" : "Jätka siit: {productName}", "_The update was successful. Redirecting you to {productName} in %n second._::_The update was successful. Redirecting you to {productName} in %n seconds._" : ["Uuendamine õnnestus. Sind suunatakse tagasi {productName} juurde %n sekundi pärast.","Uuendamine õnnestus. Sind suunatakse tagasi {productName} juurde %n sekundi pärast."], + "Applications menu" : "Rakenduste menüü", "Apps" : "Rakendused", "More apps" : "Veel rakendusi", "_{count} notification_::_{count} notifications_" : ["{count} teavitus","{count} teavitust"], "No" : "Ei", "Yes" : "Jah", - "Failed to add the public link to your Nextcloud" : "Avaliku lingi lisamine sinu Nextcloudi ebaõnnestus", - "Searching …" : "Otsin ...", + "The remote URL must include the user." : "Kaugserveri võrguaadressis peab leiduma kasutajanimi", + "Invalid remote URL." : "Vigane kaugserveri võrguaadress", + "Failed to add the public link to your Nextcloud" : "Avaliku lingi lisamine sinu Nextcloudi ei õnnestunud", + "Federated user" : "Kasutaja liitpilves", + "user@your-nextcloud.org" : "kasutaja@sinu-nextcloud.ee", + "Create share" : "Lisa jagamine", + "Direct link copied to clipboard" : "Otselink on lõikelauale kopeeritud", + "Please copy the link manually:" : "Palun kopeeri link käsitsi:", + "Custom date range" : "Sinu valitud kuupäevavahemik", + "Pick start date" : "Vali algkuupäev", + "Pick end date" : "Vali lõppkuupäev", + "Search in date range" : "Otsi kuupäevavahemikust", + "Search in current app" : "Otsi sellest rakendusest", + "Clear search" : "Tühjenda otsing", + "Search everywhere" : "Otsi kõikjalt", + "Searching …" : "Otsin...", + "Start typing to search" : "Otsimiseks alusta kirjutamist", + "No matching results" : "Otsinguvastuseid ei leidu", "Today" : "Täna", + "Last 7 days" : "Viimase 7 päeva jooksul", + "Last 30 days" : "Viimase 30 päeva jooksul", + "This year" : "Sel aastal", + "Last year" : "Eelmisel aastal", + "Unified search" : "Ühendatud otsing", + "Search apps, files, tags, messages" : "Otsi rakendusi, faile, silte, sõnumeid", "Places" : "Kohad", "Date" : "Kuupäev", + "Search people" : "Otsi inimesi", "People" : "Inimesed", + "Filter in current view" : "Filtreeri selles vaates", + "Results" : "Tulemused", + "Load more results" : "Laadi veel tulemusi", + "Search in" : "Otsi siin:", "Log in" : "Logi sisse", - "Logging in …" : "Sisselogimine ...", + "Logging in …" : "Sisselogimisel...", + "Log in to {productName}" : "Logi sisse: {productName}", + "Wrong login or password." : "Vale kasutajanimi või salasõna.", + "This account is disabled" : "See konto pole kasutusel", "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Me tuvastasime sinu IP-aadressilt palju ebaõnnestunud sisselogimiskatseid. Seetõttu on su järgmine sisselogimine ootel kuni 30 sekundit.", "Account name or email" : "Konto nimi või e-posti aadress", + "Account name" : "Kasutajakonto nimi", "Server side authentication failed!" : "Serveripoolne autentimine ebaõnnestus!", "Please contact your administrator." : "Palun võta ühendust oma administraatoriga.", - "An internal error occurred." : "Tekkis sisemine tõrge.", + "Session error" : "Sessiooniviga", + "It appears your session token has expired, please refresh the page and try again." : "Tundub, et sinu sessiooni tunnusluba on aegunud, palun laadi leht ja proovi uuesti.", + "An internal error occurred." : "Tekkis sisemine viga.", "Please try again or contact your administrator." : "Palun proovi uuesti või võta ühendust oma administraatoriga.", - "Password" : "Parool", + "Password" : "Salasõna", "Log in with a device" : "Logi sisse seadmega", + "Login or email" : "Kasutajanimi või e-posti aadress", "Your account is not setup for passwordless login." : "Su konto ei ole seadistatud paroolivaba sisenemise jaoks.", - "Browser not supported" : "Brauser pole toetatud", - "Passwordless authentication is not supported in your browser." : "Sinu brauser ei toeta paroolivaba sisenemist.", "Your connection is not secure" : "Ühendus ei ole turvaline", "Passwordless authentication is only available over a secure connection." : "Paroolivaba sisenemine on saadaval ainult üle turvalise ühenduse.", - "Reset password" : "Lähtesta parool", - "Couldn't send reset email. Please contact your administrator." : "Ei suutnud lähtestada e-maili. Palun võta ühendust administraatoriga.", - "Password cannot be changed. Please contact your administrator." : "Parooli ei saa muuta. Palun võta ühendust administraatoriga.", + "Browser not supported" : "Brauser pole toetatud", + "Passwordless authentication is not supported in your browser." : "Sinu brauser ei toeta salasõnavaba sisenemist.", + "Reset password" : "Lähtesta salasõna", "Back to login" : "Tagasi sisse logima", - "New password" : "Uus parool", - "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Su failid on krüpteeritud. Pärast parooli lähtestamist ei ole mingit võimalust su andmeid tagasi saada. Kui sa pole kindel, mida teha, võta palun ühendust administraatoriga. Kas soovid kindlasti jätkata?", + "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Kui selline kasutajakonto on olemas, siis salasõna lähtestamiseks vajalik kiri on saadetud tema e-posti aadressile. Kui sa pole kirja kätte saanud, siis palun kontrolli, et kasutajanimi või e-posti aadress on õiged, e-kiri pole sattunud rämpsposti kausta ning vajalusel küsi abi oma süsteemihaldurilt.", + "Couldn't send reset email. Please contact your administrator." : "Ei suutnud lähtestada e-maili. Palun võta ühendust administraatoriga.", + "Password cannot be changed. Please contact your administrator." : "Salasõna ei saa muuta. Palun võta ühendust peakasutaja või süsteemihalduriga.", + "New password" : "Uus salasõna", + "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Su failid on krüptitud. Pärast salasõna lähtestamist ei ole mingit võimalust su andmeid tagasi saada. Kui sa pole kindel, mida teha, võta palun ühendust oma süsteemi peakasutajaga. Kas soovid kindlasti jätkata?", "I know what I'm doing" : "Ma tean, mida teen", - "Resetting password" : "Parooli lähtestamine", + "Resetting password" : "Salasõna on lähtestamisel", "Schedule work & meetings, synced with all your devices." : "Planeeri tööd ja kohtumisi, süngitud kõigi su seadmetega.", "Keep your colleagues and friends in one place without leaking their private info." : "Hoia oma kolleegid ja sõbrad ühes kohas ilma nende privaatset infot lekitamata.", "Simple email app nicely integrated with Files, Contacts and Calendar." : "Lihtne e-posti rakendus, mis on integreeritud Failide, Kontaktide ja Kalendriga.", + "Chatting, video calls, screen sharing, online meetings and web conferencing – in your browser and with mobile apps." : "Vestlused, videokõned, ekraanijagamine, veebipõhised kohtumised ja veebikonverentsid – sinu brauseris ja mobiilirakendustes.", "Collaborative documents, spreadsheets and presentations, built on Collabora Online." : "Kaastöö dokumentide, tabelite ja presentatsioonidega, kasutades Collabora Online'i.", + "Distraction free note taking app." : "Müravaba märkmete rakendus.", "Recommended apps" : "Soovitatud rakendused", "Loading apps …" : "Rakenduste laadimine …", "Could not fetch list of apps from the App Store." : "Rakenduste loendi laadimine App Store'st ebaõnnestus.", @@ -113,6 +182,8 @@ OC.L10N.register( "Skip" : "Jäta vahele", "Installing apps …" : "Rakenduste paigaldamine …", "Install recommended apps" : "Paigalda soovitatud rakendused", + "Avatar of {displayName}" : "Kasutaja „{displayName}“ tunnuspilt", + "Settings menu" : "Seadistuste menüü", "Loading your contacts …" : "Sinu kontaktide laadimine ...", "Looking for {term} …" : "Otsin {term} …", "Search contacts" : "Otsi kontakte", @@ -120,29 +191,56 @@ OC.L10N.register( "Search contacts …" : "Otsi kontakte …", "Could not load your contacts" : "Sinu kontaktide laadimine ebaõnnestus", "No contacts found" : "Kontakte ei leitud", + "Show all contacts" : "Näita kõiki kontakte", "Install the Contacts app" : "Paigalda Kontaktide rakendus", "Search" : "Otsi", + "No results for {query}" : "„{query}“ päringul pole tulemusi", "Press Enter to start searching" : "Otsimise alustamiseks vajuta Enter", "_Please enter {minSearchLength} character or more to search_::_Please enter {minSearchLength} characters or more to search_" : ["Otsimiseks sisesta vähemalt {minSearchLength} sümbol","Otsimiseks sisesta vähemalt {minSearchLength} sümbolit"], + "An error occurred while searching for {type}" : "„{type}“ otsimisel tekkis viga", "Search starts once you start typing and results may be reached with the arrow keys" : "Otsing algab kohe, kui sa midagi trükid, ja tulemustele saab ligi nooleklahvidega", - "Forgot password?" : "Unustasid parooli?", + "Search for {name} only" : "Otsi vaid otsisõna „{name}“", + "Loading more results …" : "Laadin veel tulemusi…", + "Forgot password?" : "Unustasid salasõna?", "Back to login form" : "Tagasi sisselogimise lehele", "Back" : "Tagasi", "Login form is disabled." : "Sisselogimise leht on keelatud.", + "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "Nextcloudi sisselogimisvorm on kasutusel eemaldatud. Kui mõni muu sisselogimisviis on saadaval, siis kasuta seda või küsi lisateavet oma süsteemihaldajalt.", + "More actions" : "Täiendavad tegevused", + "Password is too weak" : "Salasõna on liiga nõrk", + "Password is weak" : "Salasõna on nõrk", + "Password is average" : "Salasõna on keskpärane", + "Password is strong" : "Salasõna on tugev", + "Password is very strong" : "Salasõna on väga tugev", + "Password is extremely strong" : "Salasõna on ülitugev", + "Unknown password strength" : "Salasõna tugevus pole teada", + "Your data directory and files are probably accessible from the internet because the <code>.htaccess</code> file does not work." : "Kuna <code>.htaccess</code> fail ei toimi, siis sinu andmekaust ja failid on ilmselt ligipääsetavad internetist.", + "For information how to properly configure your server, please {linkStart}see the documentation{linkEnd}" : "Serveri õigeks seadistamiseks {linkStart}leiad teavet dokumentatsioonist{linkEnd}", + "Autoconfig file detected" : "Tuvastasin autoconfig faili", + "The setup form below is pre-filled with the values from the config file." : "Järgnev paigaldusvorm on eeltäidetud sellest failist leitud andmetega.", "Security warning" : "Turvahoiatus", + "Create administration account" : "Loo peakasutaja konto", + "Administration account name" : "Peakasutaja konto nimi", + "Administration account password" : "Peakasutaja konto salasõna", "Storage & database" : "Andmehoidla ja andmebaas", "Data folder" : "Andmekaust", + "Database configuration" : "Andmebaasi seadistused", + "Only {firstAndOnlyDatabase} is available." : "Ainult {firstAndOnlyDatabase} on saadaval.", "Install and activate additional PHP modules to choose other database types." : "Paigalda ja aktiveeri täiendavaid PHP mooduleid, et teisi andmebaasi tüüpe valida.", "For more details check out the documentation." : "Lisainfot vaata dokumentatsioonist.", "Performance warning" : "Jõudluse hoiatus", "You chose SQLite as database." : "Sa valisid SQLite andmebaasi.", "SQLite should only be used for minimal and development instances. For production we recommend a different database backend." : "SQLite sobib kasutamiseks ainult arenduseks ja väikesemahulistes serverites. Toodangu jaoks soovitame teist andmebaasilahendust.", + "If you use clients for file syncing, the use of SQLite is highly discouraged." : "Kui kasutad Nextcloudi kliente, mis sünkroniseerivad faile, siis SQLite ei ole sobilik andmebaas.", "Database user" : "Andmebaasi kasutaja", - "Database password" : "Andmebaasi parool", + "Database password" : "Andmebaasi salasõna", "Database name" : "Andmebaasi nimi", "Database tablespace" : "Andmebaasi tabeliruum", "Please specify the port number along with the host name (e.g., localhost:5432)." : "Palun sisesta hostinimega koos pordi number (nt. localhost:5432).", "Database host" : "Andmebaasi host", + "localhost" : "localhost", + "Installing …" : "Paigaldan…", + "Install" : "Paigalda", "Need help?" : "Vajad abi?", "See the documentation" : "Vaata dokumentatsiooni", "{name} version {version} and above" : "{name} versioon {version} ja uuemad", @@ -150,10 +248,14 @@ OC.L10N.register( "Your browser is not supported. Please upgrade to a newer version or a supported one." : "Sinu brauser ei ole toetatud. Palun uuenda see uuema versiooni peale või vaheta toetatud brauseri vastu.", "Continue with this unsupported browser" : "Jätka selle mittetoetatud brauseriga", "Supported versions" : "Toetatud versioonid", + "Search {types} …" : "Otsi „{types}“…", + "Choose {file}" : "Vali „{file}“", "Choose" : "Vali", + "Copy to {target}" : "Kopeeri kausta {target}", "Copy" : "Kopeeri", - "Move" : "Liiguta", - "OK" : "OK", + "Move to {target}" : "Teisalda kausta {target}", + "Move" : "Teisalda", + "OK" : "Sobib", "read-only" : "kirjutuskaitstud", "_{count} file conflict_::_{count} file conflicts_" : ["{count} failikonflikt","{count} failikonflikti"], "One file conflict" : "Üks failikonflikt", @@ -170,27 +272,37 @@ OC.L10N.register( "seconds ago" : "sekundit tagasi", "Connection to server lost" : "Ühendus serveriga katkes", "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Tõrge lehe laadimisel, värskendamine %n sekundi pärast","Tõrge lehe laadimisel, värskendamine %n sekundi pärast"], - "Add to a project" : "Lisa projekti", + "Add to a project" : "Lisa projektile", "Show details" : "Näita üksikasju", "Hide details" : "Peida üksikasjad", - "Rename project" : "Nimeta projekt ümber", + "Rename project" : "Muuda projekti nime", "Failed to rename the project" : "Projekti ümbernimetamine ebaõnnestus", "Failed to create a project" : "Projekti loomine ebaõnnestus", + "Failed to add the item to the project" : "Objekti lisamine projekti ei õnnestunud", + "Connect items to a project to make them easier to find" : "Et objekte oleks lihtsam leida, seo nad projektiga", + "Type to search for existing projects" : "Olemasolevate projektide otsimiseks kirjuta midagi", + "New in" : "Mida on uut", + "View changelog" : "Vaata muudatuste logi", "No action available" : "Ühtegi tegevust pole saadaval", "Error fetching contact actions" : "Viga kontakti toimingute laadimisel", + "Close \"{dialogTitle}\" dialog" : "Sulge „{dialogTitle}“ vaade", + "Email length is at max (255)" : "E-kirja pikkus on jõudnud lubatud piirini (255)", "Non-existing tag #{tag}" : "Olematu silt #{tag}", "Restricted" : "Piiratud", "Invisible" : "Nähtamatu", "Delete" : "Kustuta", - "Rename" : "Nimeta ümber", + "Rename" : "Muuda nime", "Collaborative tags" : "Koostöö sildid", "No tags found" : "Silte ei leitud", + "Clipboard not available, please copy manually" : "Lõikelaud pole saadaval. Palun kopeeri käsitsi", "Personal" : "Isiklik", - "Admin" : "Admin", + "Accounts" : "Kasutajakontod", + "Admin" : "Peakasutaja", "Help" : "Abiinfo", "Access forbidden" : "Ligipääs on keelatud", "Page not found" : "Lehekülge ei leitud", "The page could not be found on the server or you may not be allowed to view it." : "Seda lehekülge selles serveris ei leidu või sul puudub õigus seda vaadata.", + "Back to %s" : "Tagasi siia: %s", "Too many requests" : "Liiga palju päringuid", "There were too many requests from your network. Retry later or contact your administrator if this is an error." : "Sinu võrgust tuli liiga palju päringuid. Proovi hiljem uuesti, või võta ühendust administraatoriga, kui tegu on veaga.", "Error" : "Viga", @@ -198,6 +310,7 @@ OC.L10N.register( "The server was unable to complete your request." : "Server ei suutnud sinu päringut lõpetada.", "If this happens again, please send the technical details below to the server administrator." : "Kui see veel kord juhtub, saada tehnilised detailid allpool serveri administraatorile.", "More details can be found in the server log." : "Lisainfot võib leida serveri logist.", + "For more details see the documentation ↗." : "Lisateavet leiad dokumentatsioonist ↗.", "Technical details" : "Tehnilised andmed", "Remote Address: %s" : "Kaugaadress: %s", "Request ID: %s" : "Päringu ID: %s", @@ -207,26 +320,42 @@ OC.L10N.register( "File: %s" : "Fail: %s", "Line: %s" : "Rida: %s", "Trace" : "Jälg", + "It looks like you are trying to reinstall your Nextcloud. However the file CAN_INSTALL is missing from your config directory. Please create the file CAN_INSTALL in your config folder to continue." : "Tundub, et sa proovid Nextcloudi uuesti paigaldada. Aga CAN_INSTALL fail on seadistuste kaustast puudu. Jätkamiseks palun loo CAN_INSTALL fail seadistuste kausta.", + "Could not remove CAN_INSTALL from the config folder. Please remove this file manually." : "Ei õnnestunud eemaldada CAN_INSTALL faili seadistuste kaustast. Palun tee seda käsitsi.", "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "See rakendus vajab toimimiseks JavaScripti. Palun {linkstart}luba JavaScript{linkend} ning laadi see leht uuesti.", + "Skip to main content" : "Mine põhisisu juurde", + "Skip to navigation of app" : "Mine rakenduse asukohtade juurde", "Go to %s" : "Mine %s", - "Connect to your account" : "Ühenda oma konto", + "Get your own free account" : "Tee endale tasuta kasutajakonto", + "Connect to your account" : "Ühenda oma kasutajakontoga", "Please log in before granting %1$s access to your %2$s account." : "Enne rakendusele %1$s oma %2$s kontole ligipääsu andmist logi sisse.", + "If you are not trying to set up a new device or app, someone is trying to trick you into granting them access to your data. In this case do not proceed and instead contact your system administrator." : "Kui sa just hetkel ei ole seadistamas uut seadet või rakendus, siis võib keegi sind proovida petta eesmärgiks ligipääsu saamine sinu andmetele. Sel juhul palun ära jätka ja võta ühendust oma süsteemihaldajaga.", + "App password" : "Rakenduse salasõna", "Grant access" : "Anna ligipääs", + "Alternative log in using app password" : "Alternatiivne sisselogimisvõimalus rakenduse salasõnaga", "Account access" : "Konto ligipääs", + "Currently logged in as %1$s (%2$s)." : "Hetkel sisselogitus kasutajana %1$s (%2$s).", "You are about to grant %1$s access to your %2$s account." : "Oled andmas rakendusele %1$s ligipääsu oma %2$s kontole.", "Account connected" : "Konto ühendatud", "Your client should now be connected!" : "Su klient peaks nüüd olema ühendatud!", "You can close this window." : "Võid selle akna sulgeda.", "Previous" : "Eelmine", "This share is password-protected" : "See jaoskaust on parooliga kaitstud", - "The password is wrong or expired. Please try again or request a new one." : "Parool on vale või aegunud. Palun proovi uuesti või taotle uut parooli.", - "Please type in your email address to request a temporary password" : "Palun sisesta oma e-posti aadress ajutise parooli taotlemiseks", + "The password is wrong or expired. Please try again or request a new one." : "Salasõna on vale või aegunud. Palun proovi uuesti või taotle uut salasõna.", + "Please type in your email address to request a temporary password" : "Palun sisesta oma e-posti aadress ajutise salasõna taotlemiseks", "Email address" : "E-posti aadress", - "Password sent!" : "Parool saadetud!", - "You are not authorized to request a password for this share" : "Sul pole luba selle jaoskausta parooli taotlemiseks", + "Password sent!" : "Salasõna on saadetud!", + "You are not authorized to request a password for this share" : "Sul pole luba selle jaoskausta salasõna taotlemiseks", "Two-factor authentication" : "Kaheastmeline autentimine", + "Enhanced security is enabled for your account. Choose a second factor for authentication:" : "Sinu kontol on kasutusel täiendava turvalisuse meetmed. Vali kaheastmelise autentimise jaoks täiendav meetod:", + "Could not load at least one of your enabled two-factor auth methods. Please contact your admin." : "Ei õnnestunud laadida vähemalt ühte sinu valitud kaheastmelise autentimise meetodit. Palun võta ühendust oma süsteemihaldajaga.", + "Two-factor authentication is enforced but has not been configured on your account. Contact your admin for assistance." : "Kaheastmeline autentimine on kohustuslik, aga sinu kasutajakonto jaoks seadistamata. Abiteavet saad oma süsteemihaldurilt.", + "Two-factor authentication is enforced but has not been configured on your account. Please continue to setup two-factor authentication." : "Kaheastmeline autentimine on kohustuslik, aga sinu kasutajakonto jaoks seadistamata. Palun jätka kaheastmelise autentimise seadistamisega.", + "Set up two-factor authentication" : "Võta kasutusele kaheastmeline autentimine", + "Two-factor authentication is enforced but has not been configured on your account. Use one of your backup codes to log in or contact your admin for assistance." : "Kaheastmeline autentimine on kohustuslik, aga sinu kasutajakonto jaoks seadistamata. Kasuta sisselogimiseks mõnda oma tagavarakoodidest või küsi abi oma süsteemihaldurilt.", "Use backup code" : "Kasuta varukoodi", - "Cancel login" : "Katkesta sisenemine", + "Cancel login" : "Katkesta sisselogimine", + "Enhanced security is enforced for your account. Choose which provider to set up:" : "Sinu kontol on kasutusel täiendava turvalisuse meetmed. Vali teenusepakkuja, mida soovid kasutada:", "Error while validating your second factor" : "Teise faktori valideerimise viga", "Access through untrusted domain" : "Ligipääs läbi ebausaldusväärse domeeni", "Please contact your administrator. If you are an administrator, edit the \"trusted_domains\" setting in config/config.php like the example in config.sample.php." : "Palun võta ühendust oma administraatoriga. Kui oled administraator, muuda konfiguratsioonifailis config/config.php sätet \"trusted_domains\", nagu näidis config.sample.php failis.", @@ -241,6 +370,7 @@ OC.L10N.register( "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Suurtel saitidel aegumise vältimiseks võid sa paigalduskaustas käivitada järgmise käsu:", "Detailed logs" : "Üksikasjalikud logid", "Update needed" : "Uuendamine vajaliik", + "Please use the command line updater because you have a big instance with more than 50 accounts." : "Kuna sul on enam kui 50 kasutajaga server, siis palun kasuta uuendamiseks käsureal toimivat uuendajat.", "For help, see the <a target=\"_blank\" rel=\"noreferrer noopener\" href=\"%s\">documentation</a>." : "Abi saamiseks vaata <a target=\"_blank\" rel=\"noreferrer noopener\" href=\"%s\">dokumentatsiooni</a>.", "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Olen teadlik, et veebiliidese kaudu uuendusega jätkamine hõlmab riski, et päring aegub ja põhjustab andmekadu, aga mul on varundus ja ma tean, kuidas tõrke korral oma instantsi taastada.", "Upgrade via web on my own risk" : "Uuenda veebi kaudu omal vastutusel", @@ -248,24 +378,32 @@ OC.L10N.register( "This %s instance is currently in maintenance mode, which may take a while." : "See %s instants on hetkel hooldusrežiimis, mis võib kesta mõnda aega.", "This page will refresh itself when the instance is available again." : "See leht värskendab ennast ise, kui instants jälle saadaval on.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Võta ühendust administraatoriga, kui see teade püsib või on tekkinud ootamatult.", + "Currently open" : "Hetkel avatud", + "Login with username or email" : "Logi sisse kasutajanime või e-posti aadressiga", + "Login with username" : "Logi sisse kasutajanimega", "Chatting, video calls, screensharing, online meetings and web conferencing – in your browser and with mobile apps." : "Vestlused, videokõned, ekraanijagamine, online kohtumised ja veebikonverentsid – sinu brauseris ja mobiilirakendustes.", "You have not added any info yet" : "Sa pole veel mingit infot lisanud", - "{user} has not added any info yet" : "{user} pole veel mingit infot lisanud", + "{user} has not added any info yet" : "{user} pole veel mitte mingit infot lisanud", "Error opening the user status modal, try hard refreshing the page" : "Kasutaja staatuse modaaldialoogi avamine ebaõnnestus, proovi lehte värskendada", "Edit Profile" : "Muuda profiili", + "The headline and about sections will show up here" : "Alapealkirja ja teabe lõigud saavad olema nähtavad siin", "Error loading message template: {error}" : "Viga sõnumi malli laadimisel: {error}", - "Very weak password" : "Väga nõrk parool", - "Weak password" : "Nõrk parool", - "So-so password" : "Enam-vähem sobiv parool", - "Good password" : "Hea parool", - "Strong password" : "Väga hea parool", + "Very weak password" : "Väga nõrk salasõna", + "Weak password" : "Nõrk salasõna", + "So-so password" : "Enam-vähem sobiv salasõna", + "Good password" : "Hea salasõna", + "Strong password" : "Väga hea salasõna", "Profile not found" : "Profiili ei leitud", "The profile does not exist." : "Profiili ei eksisteeri", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Su andmekataloog ja failid on tõenäoliselt internetist vabalt ligipääsetavad, kuna .htaccess fail ei toimi.", "For information how to properly configure your server, please see the <a href=\"%s\" target=\"_blank\" rel=\"noreferrer noopener\">documentation</a>." : "Serveri õigeks seadistamiseks leiad infot <a href=\"%s\" target=\"_blank\" rel=\"noreferrer noopener\">dokumentatsioonist</a>.", - "Show password" : "Näita parooli", - "Toggle password visibility" : "Lülita parooli nähtavust", - "Configure the database" : "Seadista andmebaas", - "Only %s is available." : "Ainult %s on saadaval." + "<strong>Create an admin account</strong>" : "Loo <strong>peakasutaja konto</strong>", + "New admin account name" : "Uue peakasutaja konto nimi", + "New admin password" : "Uue peakasutaja salasõna", + "Show password" : "Näita salasõna", + "Toggle password visibility" : "Lülita salasõna nähtavus sisse/välja", + "Configure the database" : "Seadista andmebaasi", + "Only %s is available." : "Ainult %s on saadaval.", + "Database account" : "Andmebaasi kasutajakonto" }, "nplurals=2; plural=(n != 1);"); diff --git a/core/l10n/et_EE.json b/core/l10n/et_EE.json index aec0a3a9e62..8ae60d374ba 100644 --- a/core/l10n/et_EE.json +++ b/core/l10n/et_EE.json @@ -20,29 +20,57 @@ "No crop data provided" : "Lõikeandmeid ei leitud", "No valid crop data provided" : "Kehtivaid lõikeandmeid ei leitud", "Crop is not square" : "Lõikamine pole ruudukujuline", - "Invalid app password" : "Vale rakenduse parool", + "State token does not match" : "Oleku tunnusluba ei klapi", + "Invalid app password" : "Rakenduse vale salasõna", "Could not complete login" : "Sisselogimine ebaõnnestus", + "State token missing" : "Oleku tunnusluba on puudu", + "Your login token is invalid or has expired" : "Sinu sisselogimise tunnusluba on kas vigane või aegunud", + "This community release of Nextcloud is unsupported and push notifications are limited." : "See Nextcloudi kogukonnaversioon pole toetatud ja tõuketeenuste kasutatavus on piiratud.", "Login" : "Logi sisse", + "Unsupported email length (>255)" : "E-kirja pikkus pole toetatud (>255)", "Password reset is disabled" : "Parooli lähtestamine on välja lülitatud", - "Password is too long. Maximum allowed length is 469 characters." : "Parool on liiga pikk. Suurim lubatud pikkus on 469 sümbolit.", - "%s password reset" : "%s parooli lähtestamine", - "Password reset" : "Parooli lähtestamine ", + "Could not reset password because the token is expired" : "Kuna tunnusluba on aegunud, siis salasõna lähtestamine pole võimalik", + "Could not reset password because the token is invalid" : "Kuna tunnusluba on vigane, siis salasõna lähtestamine pole võimalik", + "Password is too long. Maximum allowed length is 469 characters." : "Salasõna on liiga pikk. Suurim lubatud pikkus on 469 sümbolit.", + "%s password reset" : "Salasõna lähtestamine: %s", + "Password reset" : "Salasõna lähtestamine ", "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Kliki allolevale nupule, et lähtestada oma parool. Kui sa ei ole parooli lähtestamist soovinud, siis ignoreeri seda e-kirja.", "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Kliki allolevale lingile, et lähtestada oma parool. Kui sa ei ole parooli lähtestamist soovinud. siis ignoreeri seda e-kirja.", - "Reset your password" : "Lähtesta oma parool", + "Reset your password" : "Lähtesta oma salasõna", + "The given provider is not available" : "Antud teenusepakkuja pole saadaval", + "Task not found" : "Ülesannet ei leidu", + "Internal error" : "Sisemine viga", + "Not found" : "Ei leidu", + "Bad request" : "Vigane päring", + "Requested task type does not exist" : "Küsitud ülesannete tüüpi ei leidu", + "Necessary language model provider is not available" : "Vajaliku keelemudeli teenusepakkuja pole saadaval", + "No text to image provider is available" : "Ühtegi optilise tekstituvastuse teenusepakkujat pole saadaval", + "Image not found" : "Pilti ei leidu", + "No translation provider available" : "Ühtegi tõlketeenuse pakkujat pole saadaval", "Could not detect language" : "Ei suutnud keelt tuvastada", "Unable to translate" : "Viga tõlkimisel", - "Nextcloud Server" : "Nextcloud Server", - "Preparing update" : "Uuendamise ettevalmistamine", + "Nextcloud Server" : "Nextcloudi server", + "Some of your link shares have been removed" : "Mõned sinu linkide jagamised on eemaldatud", + "Due to a security bug we had to remove some of your link shares. Please see the link for more information." : "Turvavea tõttu pidime mõned sinu linkide jagamised eemaldama. Lisateabe lugemiseks palun klõpsi järgnevat linki.", + "The account limit of this instance is reached." : "Selle serveri kasutajakontode arvu ülempiir on käes.", + "Enter your subscription key in the support app in order to increase the account limit. This does also grant you all additional benefits that Nextcloud Enterprise offers and is highly recommended for the operation in companies." : "Kasutajakontode arvu ülepiiri suurendamiseks sisesta oma tellimuse võti tugiteenuste rakenduses. Samaga saad kasutusele võtta ka kõik Nextcloud Enterprise'i lisavõimalused, mille kasutamine suurtes organisatsioonides on soovitatav.", + "Learn more ↗" : "Lisateave ↗", + "Preparing update" : "Valmistan ette uuendamist", "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair step:" : "Paranduse samm:", + "Repair info:" : "Paranduse teave:", + "Repair warning:" : "Paranduse hoiatus:", + "Repair error:" : "Paranduse viga:", + "Please use the command line updater because updating via browser is disabled in your config.php." : "Palun kasuta uuendamiseks käsurida, kuna uuendamine veebibrauserist on config.php failis välja lülitatud.", "Turned on maintenance mode" : "Hooldusrežiim sisse lülitatud", "Turned off maintenance mode" : "Hooldusrežiim välja lülitatud", "Maintenance mode is kept active" : "Hooldusrežiim on aktiivne", "Updating database schema" : "Andmebaasi skeemi uuendamine", "Updated database" : "Andmebaas uuendatud", + "Update app \"%s\" from App Store" : "Uuenda „%s“ rakendust rakenduste poest", "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Kontrollitakse, kas %s andmebaasi skeemi saab uuendada (see võib võtta kaua aega, sõltuvalt andmebaasi suurusest)", - "Updated \"%1$s\" to %2$s" : "\"%1$s\" uuendatud versioonile %2$s", - "Set log level to debug" : "Määra logimise tase silumisele", + "Updated \"%1$s\" to %2$s" : "„%1$s“ on uuendatud versioonini %2$s", + "Set log level to debug" : "Seadista veaotsinguks vajalik logimise tase", "Reset log level" : "Lähtesta logimise tase", "Starting code integrity check" : "Koodi terviklikkuse kontrolli alustamine", "Finished code integrity check" : "Koodi terviklikkuse kontrolli lõpp", @@ -50,58 +78,99 @@ "The following apps have been disabled: %s" : "Järgmised rakendused lülitati välja: %s", "Already up to date" : "On juba ajakohane", "Error occurred while checking server setup" : "Serveri seadete kontrolimisel tekkis viga", + "For more details see the {linkstart}documentation ↗{linkend}." : "Lisateavet leiad {linkstart}dokumentatsioonist ↗{linkend}.", "unknown text" : "tundmatu tekst", "Hello world!" : "Tere maailm!", "sunny" : "päikeseline", "Hello {name}, the weather is {weather}" : "Tere {name}, ilm on {weather}", "Hello {name}" : "Tere, {name}", + "<strong>These are your search results<script>alert(1)</script></strong>" : "<strong>Need on sinu otsingutulemused: <script>alert(1)</script></strong>", "new" : "uus", "_download %n file_::_download %n files_" : ["laadi alla %n fail","laadi alla %n faili"], "The update is in progress, leaving this page might interrupt the process in some environments." : "Uuendamine on pooleli, sellelt lehelt lahkumine võib mõnes keskkonnas protsessi katkestada.", "Update to {version}" : "Uuenda versioonile {version}", - "An error occurred." : "Tekkis tõrge.", + "An error occurred." : "Tekkis viga.", "Please reload the page." : "Palun laadi leht uuesti.", "The update was unsuccessful. For more information <a href=\"{url}\">check our forum post</a> covering this issue." : "Uuendamine ebaõnnestus. Täiendavat infot <a href=\"{url}\">vaata meie foorumipostitusest</a>.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/nextcloud/server/issues\" target=\"_blank\">Nextcloud community</a>." : "Uuendamine ebaõnnestus. Palun teavita probleemist <a href=\"https://github.com/nextcloud/server/issues\" target=\"_blank\">Nextcloudi kogukonda</a>.", + "Continue to {productName}" : "Jätka siit: {productName}", "_The update was successful. Redirecting you to {productName} in %n second._::_The update was successful. Redirecting you to {productName} in %n seconds._" : ["Uuendamine õnnestus. Sind suunatakse tagasi {productName} juurde %n sekundi pärast.","Uuendamine õnnestus. Sind suunatakse tagasi {productName} juurde %n sekundi pärast."], + "Applications menu" : "Rakenduste menüü", "Apps" : "Rakendused", "More apps" : "Veel rakendusi", "_{count} notification_::_{count} notifications_" : ["{count} teavitus","{count} teavitust"], "No" : "Ei", "Yes" : "Jah", - "Failed to add the public link to your Nextcloud" : "Avaliku lingi lisamine sinu Nextcloudi ebaõnnestus", - "Searching …" : "Otsin ...", + "The remote URL must include the user." : "Kaugserveri võrguaadressis peab leiduma kasutajanimi", + "Invalid remote URL." : "Vigane kaugserveri võrguaadress", + "Failed to add the public link to your Nextcloud" : "Avaliku lingi lisamine sinu Nextcloudi ei õnnestunud", + "Federated user" : "Kasutaja liitpilves", + "user@your-nextcloud.org" : "kasutaja@sinu-nextcloud.ee", + "Create share" : "Lisa jagamine", + "Direct link copied to clipboard" : "Otselink on lõikelauale kopeeritud", + "Please copy the link manually:" : "Palun kopeeri link käsitsi:", + "Custom date range" : "Sinu valitud kuupäevavahemik", + "Pick start date" : "Vali algkuupäev", + "Pick end date" : "Vali lõppkuupäev", + "Search in date range" : "Otsi kuupäevavahemikust", + "Search in current app" : "Otsi sellest rakendusest", + "Clear search" : "Tühjenda otsing", + "Search everywhere" : "Otsi kõikjalt", + "Searching …" : "Otsin...", + "Start typing to search" : "Otsimiseks alusta kirjutamist", + "No matching results" : "Otsinguvastuseid ei leidu", "Today" : "Täna", + "Last 7 days" : "Viimase 7 päeva jooksul", + "Last 30 days" : "Viimase 30 päeva jooksul", + "This year" : "Sel aastal", + "Last year" : "Eelmisel aastal", + "Unified search" : "Ühendatud otsing", + "Search apps, files, tags, messages" : "Otsi rakendusi, faile, silte, sõnumeid", "Places" : "Kohad", "Date" : "Kuupäev", + "Search people" : "Otsi inimesi", "People" : "Inimesed", + "Filter in current view" : "Filtreeri selles vaates", + "Results" : "Tulemused", + "Load more results" : "Laadi veel tulemusi", + "Search in" : "Otsi siin:", "Log in" : "Logi sisse", - "Logging in …" : "Sisselogimine ...", + "Logging in …" : "Sisselogimisel...", + "Log in to {productName}" : "Logi sisse: {productName}", + "Wrong login or password." : "Vale kasutajanimi või salasõna.", + "This account is disabled" : "See konto pole kasutusel", "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Me tuvastasime sinu IP-aadressilt palju ebaõnnestunud sisselogimiskatseid. Seetõttu on su järgmine sisselogimine ootel kuni 30 sekundit.", "Account name or email" : "Konto nimi või e-posti aadress", + "Account name" : "Kasutajakonto nimi", "Server side authentication failed!" : "Serveripoolne autentimine ebaõnnestus!", "Please contact your administrator." : "Palun võta ühendust oma administraatoriga.", - "An internal error occurred." : "Tekkis sisemine tõrge.", + "Session error" : "Sessiooniviga", + "It appears your session token has expired, please refresh the page and try again." : "Tundub, et sinu sessiooni tunnusluba on aegunud, palun laadi leht ja proovi uuesti.", + "An internal error occurred." : "Tekkis sisemine viga.", "Please try again or contact your administrator." : "Palun proovi uuesti või võta ühendust oma administraatoriga.", - "Password" : "Parool", + "Password" : "Salasõna", "Log in with a device" : "Logi sisse seadmega", + "Login or email" : "Kasutajanimi või e-posti aadress", "Your account is not setup for passwordless login." : "Su konto ei ole seadistatud paroolivaba sisenemise jaoks.", - "Browser not supported" : "Brauser pole toetatud", - "Passwordless authentication is not supported in your browser." : "Sinu brauser ei toeta paroolivaba sisenemist.", "Your connection is not secure" : "Ühendus ei ole turvaline", "Passwordless authentication is only available over a secure connection." : "Paroolivaba sisenemine on saadaval ainult üle turvalise ühenduse.", - "Reset password" : "Lähtesta parool", - "Couldn't send reset email. Please contact your administrator." : "Ei suutnud lähtestada e-maili. Palun võta ühendust administraatoriga.", - "Password cannot be changed. Please contact your administrator." : "Parooli ei saa muuta. Palun võta ühendust administraatoriga.", + "Browser not supported" : "Brauser pole toetatud", + "Passwordless authentication is not supported in your browser." : "Sinu brauser ei toeta salasõnavaba sisenemist.", + "Reset password" : "Lähtesta salasõna", "Back to login" : "Tagasi sisse logima", - "New password" : "Uus parool", - "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Su failid on krüpteeritud. Pärast parooli lähtestamist ei ole mingit võimalust su andmeid tagasi saada. Kui sa pole kindel, mida teha, võta palun ühendust administraatoriga. Kas soovid kindlasti jätkata?", + "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Kui selline kasutajakonto on olemas, siis salasõna lähtestamiseks vajalik kiri on saadetud tema e-posti aadressile. Kui sa pole kirja kätte saanud, siis palun kontrolli, et kasutajanimi või e-posti aadress on õiged, e-kiri pole sattunud rämpsposti kausta ning vajalusel küsi abi oma süsteemihaldurilt.", + "Couldn't send reset email. Please contact your administrator." : "Ei suutnud lähtestada e-maili. Palun võta ühendust administraatoriga.", + "Password cannot be changed. Please contact your administrator." : "Salasõna ei saa muuta. Palun võta ühendust peakasutaja või süsteemihalduriga.", + "New password" : "Uus salasõna", + "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Su failid on krüptitud. Pärast salasõna lähtestamist ei ole mingit võimalust su andmeid tagasi saada. Kui sa pole kindel, mida teha, võta palun ühendust oma süsteemi peakasutajaga. Kas soovid kindlasti jätkata?", "I know what I'm doing" : "Ma tean, mida teen", - "Resetting password" : "Parooli lähtestamine", + "Resetting password" : "Salasõna on lähtestamisel", "Schedule work & meetings, synced with all your devices." : "Planeeri tööd ja kohtumisi, süngitud kõigi su seadmetega.", "Keep your colleagues and friends in one place without leaking their private info." : "Hoia oma kolleegid ja sõbrad ühes kohas ilma nende privaatset infot lekitamata.", "Simple email app nicely integrated with Files, Contacts and Calendar." : "Lihtne e-posti rakendus, mis on integreeritud Failide, Kontaktide ja Kalendriga.", + "Chatting, video calls, screen sharing, online meetings and web conferencing – in your browser and with mobile apps." : "Vestlused, videokõned, ekraanijagamine, veebipõhised kohtumised ja veebikonverentsid – sinu brauseris ja mobiilirakendustes.", "Collaborative documents, spreadsheets and presentations, built on Collabora Online." : "Kaastöö dokumentide, tabelite ja presentatsioonidega, kasutades Collabora Online'i.", + "Distraction free note taking app." : "Müravaba märkmete rakendus.", "Recommended apps" : "Soovitatud rakendused", "Loading apps …" : "Rakenduste laadimine …", "Could not fetch list of apps from the App Store." : "Rakenduste loendi laadimine App Store'st ebaõnnestus.", @@ -111,6 +180,8 @@ "Skip" : "Jäta vahele", "Installing apps …" : "Rakenduste paigaldamine …", "Install recommended apps" : "Paigalda soovitatud rakendused", + "Avatar of {displayName}" : "Kasutaja „{displayName}“ tunnuspilt", + "Settings menu" : "Seadistuste menüü", "Loading your contacts …" : "Sinu kontaktide laadimine ...", "Looking for {term} …" : "Otsin {term} …", "Search contacts" : "Otsi kontakte", @@ -118,29 +189,56 @@ "Search contacts …" : "Otsi kontakte …", "Could not load your contacts" : "Sinu kontaktide laadimine ebaõnnestus", "No contacts found" : "Kontakte ei leitud", + "Show all contacts" : "Näita kõiki kontakte", "Install the Contacts app" : "Paigalda Kontaktide rakendus", "Search" : "Otsi", + "No results for {query}" : "„{query}“ päringul pole tulemusi", "Press Enter to start searching" : "Otsimise alustamiseks vajuta Enter", "_Please enter {minSearchLength} character or more to search_::_Please enter {minSearchLength} characters or more to search_" : ["Otsimiseks sisesta vähemalt {minSearchLength} sümbol","Otsimiseks sisesta vähemalt {minSearchLength} sümbolit"], + "An error occurred while searching for {type}" : "„{type}“ otsimisel tekkis viga", "Search starts once you start typing and results may be reached with the arrow keys" : "Otsing algab kohe, kui sa midagi trükid, ja tulemustele saab ligi nooleklahvidega", - "Forgot password?" : "Unustasid parooli?", + "Search for {name} only" : "Otsi vaid otsisõna „{name}“", + "Loading more results …" : "Laadin veel tulemusi…", + "Forgot password?" : "Unustasid salasõna?", "Back to login form" : "Tagasi sisselogimise lehele", "Back" : "Tagasi", "Login form is disabled." : "Sisselogimise leht on keelatud.", + "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "Nextcloudi sisselogimisvorm on kasutusel eemaldatud. Kui mõni muu sisselogimisviis on saadaval, siis kasuta seda või küsi lisateavet oma süsteemihaldajalt.", + "More actions" : "Täiendavad tegevused", + "Password is too weak" : "Salasõna on liiga nõrk", + "Password is weak" : "Salasõna on nõrk", + "Password is average" : "Salasõna on keskpärane", + "Password is strong" : "Salasõna on tugev", + "Password is very strong" : "Salasõna on väga tugev", + "Password is extremely strong" : "Salasõna on ülitugev", + "Unknown password strength" : "Salasõna tugevus pole teada", + "Your data directory and files are probably accessible from the internet because the <code>.htaccess</code> file does not work." : "Kuna <code>.htaccess</code> fail ei toimi, siis sinu andmekaust ja failid on ilmselt ligipääsetavad internetist.", + "For information how to properly configure your server, please {linkStart}see the documentation{linkEnd}" : "Serveri õigeks seadistamiseks {linkStart}leiad teavet dokumentatsioonist{linkEnd}", + "Autoconfig file detected" : "Tuvastasin autoconfig faili", + "The setup form below is pre-filled with the values from the config file." : "Järgnev paigaldusvorm on eeltäidetud sellest failist leitud andmetega.", "Security warning" : "Turvahoiatus", + "Create administration account" : "Loo peakasutaja konto", + "Administration account name" : "Peakasutaja konto nimi", + "Administration account password" : "Peakasutaja konto salasõna", "Storage & database" : "Andmehoidla ja andmebaas", "Data folder" : "Andmekaust", + "Database configuration" : "Andmebaasi seadistused", + "Only {firstAndOnlyDatabase} is available." : "Ainult {firstAndOnlyDatabase} on saadaval.", "Install and activate additional PHP modules to choose other database types." : "Paigalda ja aktiveeri täiendavaid PHP mooduleid, et teisi andmebaasi tüüpe valida.", "For more details check out the documentation." : "Lisainfot vaata dokumentatsioonist.", "Performance warning" : "Jõudluse hoiatus", "You chose SQLite as database." : "Sa valisid SQLite andmebaasi.", "SQLite should only be used for minimal and development instances. For production we recommend a different database backend." : "SQLite sobib kasutamiseks ainult arenduseks ja väikesemahulistes serverites. Toodangu jaoks soovitame teist andmebaasilahendust.", + "If you use clients for file syncing, the use of SQLite is highly discouraged." : "Kui kasutad Nextcloudi kliente, mis sünkroniseerivad faile, siis SQLite ei ole sobilik andmebaas.", "Database user" : "Andmebaasi kasutaja", - "Database password" : "Andmebaasi parool", + "Database password" : "Andmebaasi salasõna", "Database name" : "Andmebaasi nimi", "Database tablespace" : "Andmebaasi tabeliruum", "Please specify the port number along with the host name (e.g., localhost:5432)." : "Palun sisesta hostinimega koos pordi number (nt. localhost:5432).", "Database host" : "Andmebaasi host", + "localhost" : "localhost", + "Installing …" : "Paigaldan…", + "Install" : "Paigalda", "Need help?" : "Vajad abi?", "See the documentation" : "Vaata dokumentatsiooni", "{name} version {version} and above" : "{name} versioon {version} ja uuemad", @@ -148,10 +246,14 @@ "Your browser is not supported. Please upgrade to a newer version or a supported one." : "Sinu brauser ei ole toetatud. Palun uuenda see uuema versiooni peale või vaheta toetatud brauseri vastu.", "Continue with this unsupported browser" : "Jätka selle mittetoetatud brauseriga", "Supported versions" : "Toetatud versioonid", + "Search {types} …" : "Otsi „{types}“…", + "Choose {file}" : "Vali „{file}“", "Choose" : "Vali", + "Copy to {target}" : "Kopeeri kausta {target}", "Copy" : "Kopeeri", - "Move" : "Liiguta", - "OK" : "OK", + "Move to {target}" : "Teisalda kausta {target}", + "Move" : "Teisalda", + "OK" : "Sobib", "read-only" : "kirjutuskaitstud", "_{count} file conflict_::_{count} file conflicts_" : ["{count} failikonflikt","{count} failikonflikti"], "One file conflict" : "Üks failikonflikt", @@ -168,27 +270,37 @@ "seconds ago" : "sekundit tagasi", "Connection to server lost" : "Ühendus serveriga katkes", "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Tõrge lehe laadimisel, värskendamine %n sekundi pärast","Tõrge lehe laadimisel, värskendamine %n sekundi pärast"], - "Add to a project" : "Lisa projekti", + "Add to a project" : "Lisa projektile", "Show details" : "Näita üksikasju", "Hide details" : "Peida üksikasjad", - "Rename project" : "Nimeta projekt ümber", + "Rename project" : "Muuda projekti nime", "Failed to rename the project" : "Projekti ümbernimetamine ebaõnnestus", "Failed to create a project" : "Projekti loomine ebaõnnestus", + "Failed to add the item to the project" : "Objekti lisamine projekti ei õnnestunud", + "Connect items to a project to make them easier to find" : "Et objekte oleks lihtsam leida, seo nad projektiga", + "Type to search for existing projects" : "Olemasolevate projektide otsimiseks kirjuta midagi", + "New in" : "Mida on uut", + "View changelog" : "Vaata muudatuste logi", "No action available" : "Ühtegi tegevust pole saadaval", "Error fetching contact actions" : "Viga kontakti toimingute laadimisel", + "Close \"{dialogTitle}\" dialog" : "Sulge „{dialogTitle}“ vaade", + "Email length is at max (255)" : "E-kirja pikkus on jõudnud lubatud piirini (255)", "Non-existing tag #{tag}" : "Olematu silt #{tag}", "Restricted" : "Piiratud", "Invisible" : "Nähtamatu", "Delete" : "Kustuta", - "Rename" : "Nimeta ümber", + "Rename" : "Muuda nime", "Collaborative tags" : "Koostöö sildid", "No tags found" : "Silte ei leitud", + "Clipboard not available, please copy manually" : "Lõikelaud pole saadaval. Palun kopeeri käsitsi", "Personal" : "Isiklik", - "Admin" : "Admin", + "Accounts" : "Kasutajakontod", + "Admin" : "Peakasutaja", "Help" : "Abiinfo", "Access forbidden" : "Ligipääs on keelatud", "Page not found" : "Lehekülge ei leitud", "The page could not be found on the server or you may not be allowed to view it." : "Seda lehekülge selles serveris ei leidu või sul puudub õigus seda vaadata.", + "Back to %s" : "Tagasi siia: %s", "Too many requests" : "Liiga palju päringuid", "There were too many requests from your network. Retry later or contact your administrator if this is an error." : "Sinu võrgust tuli liiga palju päringuid. Proovi hiljem uuesti, või võta ühendust administraatoriga, kui tegu on veaga.", "Error" : "Viga", @@ -196,6 +308,7 @@ "The server was unable to complete your request." : "Server ei suutnud sinu päringut lõpetada.", "If this happens again, please send the technical details below to the server administrator." : "Kui see veel kord juhtub, saada tehnilised detailid allpool serveri administraatorile.", "More details can be found in the server log." : "Lisainfot võib leida serveri logist.", + "For more details see the documentation ↗." : "Lisateavet leiad dokumentatsioonist ↗.", "Technical details" : "Tehnilised andmed", "Remote Address: %s" : "Kaugaadress: %s", "Request ID: %s" : "Päringu ID: %s", @@ -205,26 +318,42 @@ "File: %s" : "Fail: %s", "Line: %s" : "Rida: %s", "Trace" : "Jälg", + "It looks like you are trying to reinstall your Nextcloud. However the file CAN_INSTALL is missing from your config directory. Please create the file CAN_INSTALL in your config folder to continue." : "Tundub, et sa proovid Nextcloudi uuesti paigaldada. Aga CAN_INSTALL fail on seadistuste kaustast puudu. Jätkamiseks palun loo CAN_INSTALL fail seadistuste kausta.", + "Could not remove CAN_INSTALL from the config folder. Please remove this file manually." : "Ei õnnestunud eemaldada CAN_INSTALL faili seadistuste kaustast. Palun tee seda käsitsi.", "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "See rakendus vajab toimimiseks JavaScripti. Palun {linkstart}luba JavaScript{linkend} ning laadi see leht uuesti.", + "Skip to main content" : "Mine põhisisu juurde", + "Skip to navigation of app" : "Mine rakenduse asukohtade juurde", "Go to %s" : "Mine %s", - "Connect to your account" : "Ühenda oma konto", + "Get your own free account" : "Tee endale tasuta kasutajakonto", + "Connect to your account" : "Ühenda oma kasutajakontoga", "Please log in before granting %1$s access to your %2$s account." : "Enne rakendusele %1$s oma %2$s kontole ligipääsu andmist logi sisse.", + "If you are not trying to set up a new device or app, someone is trying to trick you into granting them access to your data. In this case do not proceed and instead contact your system administrator." : "Kui sa just hetkel ei ole seadistamas uut seadet või rakendus, siis võib keegi sind proovida petta eesmärgiks ligipääsu saamine sinu andmetele. Sel juhul palun ära jätka ja võta ühendust oma süsteemihaldajaga.", + "App password" : "Rakenduse salasõna", "Grant access" : "Anna ligipääs", + "Alternative log in using app password" : "Alternatiivne sisselogimisvõimalus rakenduse salasõnaga", "Account access" : "Konto ligipääs", + "Currently logged in as %1$s (%2$s)." : "Hetkel sisselogitus kasutajana %1$s (%2$s).", "You are about to grant %1$s access to your %2$s account." : "Oled andmas rakendusele %1$s ligipääsu oma %2$s kontole.", "Account connected" : "Konto ühendatud", "Your client should now be connected!" : "Su klient peaks nüüd olema ühendatud!", "You can close this window." : "Võid selle akna sulgeda.", "Previous" : "Eelmine", "This share is password-protected" : "See jaoskaust on parooliga kaitstud", - "The password is wrong or expired. Please try again or request a new one." : "Parool on vale või aegunud. Palun proovi uuesti või taotle uut parooli.", - "Please type in your email address to request a temporary password" : "Palun sisesta oma e-posti aadress ajutise parooli taotlemiseks", + "The password is wrong or expired. Please try again or request a new one." : "Salasõna on vale või aegunud. Palun proovi uuesti või taotle uut salasõna.", + "Please type in your email address to request a temporary password" : "Palun sisesta oma e-posti aadress ajutise salasõna taotlemiseks", "Email address" : "E-posti aadress", - "Password sent!" : "Parool saadetud!", - "You are not authorized to request a password for this share" : "Sul pole luba selle jaoskausta parooli taotlemiseks", + "Password sent!" : "Salasõna on saadetud!", + "You are not authorized to request a password for this share" : "Sul pole luba selle jaoskausta salasõna taotlemiseks", "Two-factor authentication" : "Kaheastmeline autentimine", + "Enhanced security is enabled for your account. Choose a second factor for authentication:" : "Sinu kontol on kasutusel täiendava turvalisuse meetmed. Vali kaheastmelise autentimise jaoks täiendav meetod:", + "Could not load at least one of your enabled two-factor auth methods. Please contact your admin." : "Ei õnnestunud laadida vähemalt ühte sinu valitud kaheastmelise autentimise meetodit. Palun võta ühendust oma süsteemihaldajaga.", + "Two-factor authentication is enforced but has not been configured on your account. Contact your admin for assistance." : "Kaheastmeline autentimine on kohustuslik, aga sinu kasutajakonto jaoks seadistamata. Abiteavet saad oma süsteemihaldurilt.", + "Two-factor authentication is enforced but has not been configured on your account. Please continue to setup two-factor authentication." : "Kaheastmeline autentimine on kohustuslik, aga sinu kasutajakonto jaoks seadistamata. Palun jätka kaheastmelise autentimise seadistamisega.", + "Set up two-factor authentication" : "Võta kasutusele kaheastmeline autentimine", + "Two-factor authentication is enforced but has not been configured on your account. Use one of your backup codes to log in or contact your admin for assistance." : "Kaheastmeline autentimine on kohustuslik, aga sinu kasutajakonto jaoks seadistamata. Kasuta sisselogimiseks mõnda oma tagavarakoodidest või küsi abi oma süsteemihaldurilt.", "Use backup code" : "Kasuta varukoodi", - "Cancel login" : "Katkesta sisenemine", + "Cancel login" : "Katkesta sisselogimine", + "Enhanced security is enforced for your account. Choose which provider to set up:" : "Sinu kontol on kasutusel täiendava turvalisuse meetmed. Vali teenusepakkuja, mida soovid kasutada:", "Error while validating your second factor" : "Teise faktori valideerimise viga", "Access through untrusted domain" : "Ligipääs läbi ebausaldusväärse domeeni", "Please contact your administrator. If you are an administrator, edit the \"trusted_domains\" setting in config/config.php like the example in config.sample.php." : "Palun võta ühendust oma administraatoriga. Kui oled administraator, muuda konfiguratsioonifailis config/config.php sätet \"trusted_domains\", nagu näidis config.sample.php failis.", @@ -239,6 +368,7 @@ "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Suurtel saitidel aegumise vältimiseks võid sa paigalduskaustas käivitada järgmise käsu:", "Detailed logs" : "Üksikasjalikud logid", "Update needed" : "Uuendamine vajaliik", + "Please use the command line updater because you have a big instance with more than 50 accounts." : "Kuna sul on enam kui 50 kasutajaga server, siis palun kasuta uuendamiseks käsureal toimivat uuendajat.", "For help, see the <a target=\"_blank\" rel=\"noreferrer noopener\" href=\"%s\">documentation</a>." : "Abi saamiseks vaata <a target=\"_blank\" rel=\"noreferrer noopener\" href=\"%s\">dokumentatsiooni</a>.", "I know that if I continue doing the update via web UI has the risk, that the request runs into a timeout and could cause data loss, but I have a backup and know how to restore my instance in case of a failure." : "Olen teadlik, et veebiliidese kaudu uuendusega jätkamine hõlmab riski, et päring aegub ja põhjustab andmekadu, aga mul on varundus ja ma tean, kuidas tõrke korral oma instantsi taastada.", "Upgrade via web on my own risk" : "Uuenda veebi kaudu omal vastutusel", @@ -246,24 +376,32 @@ "This %s instance is currently in maintenance mode, which may take a while." : "See %s instants on hetkel hooldusrežiimis, mis võib kesta mõnda aega.", "This page will refresh itself when the instance is available again." : "See leht värskendab ennast ise, kui instants jälle saadaval on.", "Contact your system administrator if this message persists or appeared unexpectedly." : "Võta ühendust administraatoriga, kui see teade püsib või on tekkinud ootamatult.", + "Currently open" : "Hetkel avatud", + "Login with username or email" : "Logi sisse kasutajanime või e-posti aadressiga", + "Login with username" : "Logi sisse kasutajanimega", "Chatting, video calls, screensharing, online meetings and web conferencing – in your browser and with mobile apps." : "Vestlused, videokõned, ekraanijagamine, online kohtumised ja veebikonverentsid – sinu brauseris ja mobiilirakendustes.", "You have not added any info yet" : "Sa pole veel mingit infot lisanud", - "{user} has not added any info yet" : "{user} pole veel mingit infot lisanud", + "{user} has not added any info yet" : "{user} pole veel mitte mingit infot lisanud", "Error opening the user status modal, try hard refreshing the page" : "Kasutaja staatuse modaaldialoogi avamine ebaõnnestus, proovi lehte värskendada", "Edit Profile" : "Muuda profiili", + "The headline and about sections will show up here" : "Alapealkirja ja teabe lõigud saavad olema nähtavad siin", "Error loading message template: {error}" : "Viga sõnumi malli laadimisel: {error}", - "Very weak password" : "Väga nõrk parool", - "Weak password" : "Nõrk parool", - "So-so password" : "Enam-vähem sobiv parool", - "Good password" : "Hea parool", - "Strong password" : "Väga hea parool", + "Very weak password" : "Väga nõrk salasõna", + "Weak password" : "Nõrk salasõna", + "So-so password" : "Enam-vähem sobiv salasõna", + "Good password" : "Hea salasõna", + "Strong password" : "Väga hea salasõna", "Profile not found" : "Profiili ei leitud", "The profile does not exist." : "Profiili ei eksisteeri", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Su andmekataloog ja failid on tõenäoliselt internetist vabalt ligipääsetavad, kuna .htaccess fail ei toimi.", "For information how to properly configure your server, please see the <a href=\"%s\" target=\"_blank\" rel=\"noreferrer noopener\">documentation</a>." : "Serveri õigeks seadistamiseks leiad infot <a href=\"%s\" target=\"_blank\" rel=\"noreferrer noopener\">dokumentatsioonist</a>.", - "Show password" : "Näita parooli", - "Toggle password visibility" : "Lülita parooli nähtavust", - "Configure the database" : "Seadista andmebaas", - "Only %s is available." : "Ainult %s on saadaval." + "<strong>Create an admin account</strong>" : "Loo <strong>peakasutaja konto</strong>", + "New admin account name" : "Uue peakasutaja konto nimi", + "New admin password" : "Uue peakasutaja salasõna", + "Show password" : "Näita salasõna", + "Toggle password visibility" : "Lülita salasõna nähtavus sisse/välja", + "Configure the database" : "Seadista andmebaasi", + "Only %s is available." : "Ainult %s on saadaval.", + "Database account" : "Andmebaasi kasutajakonto" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/core/l10n/eu.js b/core/l10n/eu.js index 7486aa6db2b..0cc21a76863 100644 --- a/core/l10n/eu.js +++ b/core/l10n/eu.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "Kontuaren izena", "Server side authentication failed!" : "Zerbitzari aldeko autentifikazioak huts egin du!", "Please contact your administrator." : "Mesedez jarri harremanetan zure administratzailearekin.", - "Temporary error" : "Aldi baterako errorea", - "Please try again." : "Mesedez saiatu berriro.", "An internal error occurred." : "Barne-errore bat gertatu da.", "Please try again or contact your administrator." : "Saiatu berriro edo jarri harremanetan zure administratzailearekin.", "Password" : "Pasahitza", "Log in with a device" : "Hasi saioa gailu batekin", "Login or email" : "Erabiltzaile-izen edo e-posta", "Your account is not setup for passwordless login." : "Zure kontua ez dago pasahitzik gabeko autentifikaziorako konfiguratua.", - "Browser not supported" : "Ez da nabigatzailea onartzen", - "Passwordless authentication is not supported in your browser." : "Zure nabigatzaileak ez du pasahitzik gabeko autentifikaziorik onartzen.", "Your connection is not secure" : "Zure konexioa ez da segurua", "Passwordless authentication is only available over a secure connection." : "Pasahitzik gabeko autentifikazioa konexio seguruetan erabil daiteke soilik.", + "Browser not supported" : "Ez da nabigatzailea onartzen", + "Passwordless authentication is not supported in your browser." : "Zure nabigatzaileak ez du pasahitzik gabeko autentifikaziorik onartzen.", "Reset password" : "Berrezarri pasahitza", + "Back to login" : "Itzuli saio hasierara", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Kontu hau badago, pasahitza berrezartzeko mezua bidali da bere helbide elektronikora. Jasotzen ez baduzu, egiaztatu zure helbide elektronikoa eta/edo kontuaren izena, egiaztatu spam/zabor-karpetak edo eskatu laguntza administrazio lokalari.", "Couldn't send reset email. Please contact your administrator." : "Ezin izan da berrezartzeko e-posta bidali. Jarri zure administratzailearekin harremanetan.", "Password cannot be changed. Please contact your administrator." : "Ezin da pasahitza aldatu. Jarri harremanetan zure administratzailearekin.", - "Back to login" : "Itzuli saio hasierara", "New password" : "Pasahitz berria", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Zure fitxategiak enkriptatuta daude. Pasahitza berrezarri ondoren ezin izango dituzu zure datuak berreskuratu. Ez bazaude ziur, galdetu zure administratzaileari jarraitu aurretik. Ziur zaude jarraitu nahi duzula?", "I know what I'm doing" : "Badakit zertan ari naizen", diff --git a/core/l10n/eu.json b/core/l10n/eu.json index 200166f4c05..87503b5a23e 100644 --- a/core/l10n/eu.json +++ b/core/l10n/eu.json @@ -144,23 +144,21 @@ "Account name" : "Kontuaren izena", "Server side authentication failed!" : "Zerbitzari aldeko autentifikazioak huts egin du!", "Please contact your administrator." : "Mesedez jarri harremanetan zure administratzailearekin.", - "Temporary error" : "Aldi baterako errorea", - "Please try again." : "Mesedez saiatu berriro.", "An internal error occurred." : "Barne-errore bat gertatu da.", "Please try again or contact your administrator." : "Saiatu berriro edo jarri harremanetan zure administratzailearekin.", "Password" : "Pasahitza", "Log in with a device" : "Hasi saioa gailu batekin", "Login or email" : "Erabiltzaile-izen edo e-posta", "Your account is not setup for passwordless login." : "Zure kontua ez dago pasahitzik gabeko autentifikaziorako konfiguratua.", - "Browser not supported" : "Ez da nabigatzailea onartzen", - "Passwordless authentication is not supported in your browser." : "Zure nabigatzaileak ez du pasahitzik gabeko autentifikaziorik onartzen.", "Your connection is not secure" : "Zure konexioa ez da segurua", "Passwordless authentication is only available over a secure connection." : "Pasahitzik gabeko autentifikazioa konexio seguruetan erabil daiteke soilik.", + "Browser not supported" : "Ez da nabigatzailea onartzen", + "Passwordless authentication is not supported in your browser." : "Zure nabigatzaileak ez du pasahitzik gabeko autentifikaziorik onartzen.", "Reset password" : "Berrezarri pasahitza", + "Back to login" : "Itzuli saio hasierara", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Kontu hau badago, pasahitza berrezartzeko mezua bidali da bere helbide elektronikora. Jasotzen ez baduzu, egiaztatu zure helbide elektronikoa eta/edo kontuaren izena, egiaztatu spam/zabor-karpetak edo eskatu laguntza administrazio lokalari.", "Couldn't send reset email. Please contact your administrator." : "Ezin izan da berrezartzeko e-posta bidali. Jarri zure administratzailearekin harremanetan.", "Password cannot be changed. Please contact your administrator." : "Ezin da pasahitza aldatu. Jarri harremanetan zure administratzailearekin.", - "Back to login" : "Itzuli saio hasierara", "New password" : "Pasahitz berria", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Zure fitxategiak enkriptatuta daude. Pasahitza berrezarri ondoren ezin izango dituzu zure datuak berreskuratu. Ez bazaude ziur, galdetu zure administratzaileari jarraitu aurretik. Ziur zaude jarraitu nahi duzula?", "I know what I'm doing" : "Badakit zertan ari naizen", diff --git a/core/l10n/fa.js b/core/l10n/fa.js index 24a83f03012..28b35178cdc 100644 --- a/core/l10n/fa.js +++ b/core/l10n/fa.js @@ -127,21 +127,19 @@ OC.L10N.register( "Account name" : "Account name", "Server side authentication failed!" : "تأیید هویت از سوی سرور انجام نشد!", "Please contact your administrator." : "لطفا با مدیر وبسایت تماس بگیرید.", - "Temporary error" : "خطای موقتی", - "Please try again." : "لطفا دوباره تلاش کنید.", "An internal error occurred." : "یک اشتباه داخلی رخ داد.", "Please try again or contact your administrator." : "لطفا مجددا تلاش کنید یا با مدیر سیستم تماس بگیرید.", "Password" : "گذرواژه", "Log in with a device" : "Log in with a device", "Your account is not setup for passwordless login." : "Your account is not setup for passwordless login.", - "Browser not supported" : "Browser not supported", - "Passwordless authentication is not supported in your browser." : "Passwordless authentication is not supported in your browser.", "Your connection is not secure" : "Your connection is not secure", "Passwordless authentication is only available over a secure connection." : "Passwordless authentication is only available over a secure connection.", + "Browser not supported" : "Browser not supported", + "Passwordless authentication is not supported in your browser." : "Passwordless authentication is not supported in your browser.", "Reset password" : "تنظیم مجدد رمز عبور", + "Back to login" : "Back to login", "Couldn't send reset email. Please contact your administrator." : "ارسال ایمیل مجدد با مشکل مواجه شد . لطفا با مدیر سیستم تماس بگیرید .", "Password cannot be changed. Please contact your administrator." : "Password cannot be changed. Please contact your administrator.", - "Back to login" : "Back to login", "New password" : "گذرواژه جدید", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?", "I know what I'm doing" : "اطلاع از انجام این کار دارم", diff --git a/core/l10n/fa.json b/core/l10n/fa.json index 5ebcd5a493a..4629809d7e7 100644 --- a/core/l10n/fa.json +++ b/core/l10n/fa.json @@ -125,21 +125,19 @@ "Account name" : "Account name", "Server side authentication failed!" : "تأیید هویت از سوی سرور انجام نشد!", "Please contact your administrator." : "لطفا با مدیر وبسایت تماس بگیرید.", - "Temporary error" : "خطای موقتی", - "Please try again." : "لطفا دوباره تلاش کنید.", "An internal error occurred." : "یک اشتباه داخلی رخ داد.", "Please try again or contact your administrator." : "لطفا مجددا تلاش کنید یا با مدیر سیستم تماس بگیرید.", "Password" : "گذرواژه", "Log in with a device" : "Log in with a device", "Your account is not setup for passwordless login." : "Your account is not setup for passwordless login.", - "Browser not supported" : "Browser not supported", - "Passwordless authentication is not supported in your browser." : "Passwordless authentication is not supported in your browser.", "Your connection is not secure" : "Your connection is not secure", "Passwordless authentication is only available over a secure connection." : "Passwordless authentication is only available over a secure connection.", + "Browser not supported" : "Browser not supported", + "Passwordless authentication is not supported in your browser." : "Passwordless authentication is not supported in your browser.", "Reset password" : "تنظیم مجدد رمز عبور", + "Back to login" : "Back to login", "Couldn't send reset email. Please contact your administrator." : "ارسال ایمیل مجدد با مشکل مواجه شد . لطفا با مدیر سیستم تماس بگیرید .", "Password cannot be changed. Please contact your administrator." : "Password cannot be changed. Please contact your administrator.", - "Back to login" : "Back to login", "New password" : "گذرواژه جدید", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?", "I know what I'm doing" : "اطلاع از انجام این کار دارم", diff --git a/core/l10n/fi.js b/core/l10n/fi.js index d51fc648cc2..0816f40f976 100644 --- a/core/l10n/fi.js +++ b/core/l10n/fi.js @@ -137,23 +137,21 @@ OC.L10N.register( "Account name" : "Tilin nimi", "Server side authentication failed!" : "Palvelimen puoleinen tunnistautuminen epäonnistui!", "Please contact your administrator." : "Ota yhteys ylläpitäjään.", - "Temporary error" : "Väliaikainen virhe", - "Please try again." : "Yritä uudelleen.", "An internal error occurred." : "Tapahtui sisäinen virhe.", "Please try again or contact your administrator." : "Yritä uudestaan tai ota yhteys ylläpitäjään.", "Password" : "Salasana", "Log in with a device" : "Kirjaudu laitteella", "Login or email" : "Käyttäjätunnus tai sähköposti", "Your account is not setup for passwordless login." : "Käyttäjääsi ei ole kytketty käyttämään salasanatonta kirjautumista.", - "Browser not supported" : "Selain ei ole tuettu", - "Passwordless authentication is not supported in your browser." : "Selaimesi ei tue tunnistautumista ilman salasanaa.", "Your connection is not secure" : "Yhteytesi ei ole turvallinen", "Passwordless authentication is only available over a secure connection." : "Tunnistautuminen ilman salasanaa on mahdollista vain salattua yhteyttä käyttäessä.", + "Browser not supported" : "Selain ei ole tuettu", + "Passwordless authentication is not supported in your browser." : "Selaimesi ei tue tunnistautumista ilman salasanaa.", "Reset password" : "Palauta salasana", + "Back to login" : "Palaa kirjautumiseen", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Jos tämä tili on olemassa, sen sähköpostiosoitteeseen on lähetetty salasanan palautusviesti. Jos et saa viestiä, tarkista sähköpostiosoitteesi ja/tai kirjautumisesi, tarkista roskapostikansiot tai kysy apua paikalliselta järjestelmänvalvojalta.", "Couldn't send reset email. Please contact your administrator." : "Palautussähköpostin lähettäminen ei onnistunut. Ota yhteys ylläpitäjään.", "Password cannot be changed. Please contact your administrator." : "Salasanaa ei voi vaihtaa. Ole yhteydessä ylläpitäjään.", - "Back to login" : "Palaa kirjautumiseen", "New password" : "Uusi salasana", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Tiedostosi on salattu. Niitä ei ole mahdollista palauttaa kun salasanasi on palautettu. Jos et ole varma mitä tehdä, ota yhteyttä ylläpitäjään ennen kuin jatkat. Oletko varma, että haluat jatkaa?", "I know what I'm doing" : "Tiedän mitä teen", diff --git a/core/l10n/fi.json b/core/l10n/fi.json index e3eaa6c430f..dbd2f84f07e 100644 --- a/core/l10n/fi.json +++ b/core/l10n/fi.json @@ -135,23 +135,21 @@ "Account name" : "Tilin nimi", "Server side authentication failed!" : "Palvelimen puoleinen tunnistautuminen epäonnistui!", "Please contact your administrator." : "Ota yhteys ylläpitäjään.", - "Temporary error" : "Väliaikainen virhe", - "Please try again." : "Yritä uudelleen.", "An internal error occurred." : "Tapahtui sisäinen virhe.", "Please try again or contact your administrator." : "Yritä uudestaan tai ota yhteys ylläpitäjään.", "Password" : "Salasana", "Log in with a device" : "Kirjaudu laitteella", "Login or email" : "Käyttäjätunnus tai sähköposti", "Your account is not setup for passwordless login." : "Käyttäjääsi ei ole kytketty käyttämään salasanatonta kirjautumista.", - "Browser not supported" : "Selain ei ole tuettu", - "Passwordless authentication is not supported in your browser." : "Selaimesi ei tue tunnistautumista ilman salasanaa.", "Your connection is not secure" : "Yhteytesi ei ole turvallinen", "Passwordless authentication is only available over a secure connection." : "Tunnistautuminen ilman salasanaa on mahdollista vain salattua yhteyttä käyttäessä.", + "Browser not supported" : "Selain ei ole tuettu", + "Passwordless authentication is not supported in your browser." : "Selaimesi ei tue tunnistautumista ilman salasanaa.", "Reset password" : "Palauta salasana", + "Back to login" : "Palaa kirjautumiseen", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Jos tämä tili on olemassa, sen sähköpostiosoitteeseen on lähetetty salasanan palautusviesti. Jos et saa viestiä, tarkista sähköpostiosoitteesi ja/tai kirjautumisesi, tarkista roskapostikansiot tai kysy apua paikalliselta järjestelmänvalvojalta.", "Couldn't send reset email. Please contact your administrator." : "Palautussähköpostin lähettäminen ei onnistunut. Ota yhteys ylläpitäjään.", "Password cannot be changed. Please contact your administrator." : "Salasanaa ei voi vaihtaa. Ole yhteydessä ylläpitäjään.", - "Back to login" : "Palaa kirjautumiseen", "New password" : "Uusi salasana", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Tiedostosi on salattu. Niitä ei ole mahdollista palauttaa kun salasanasi on palautettu. Jos et ole varma mitä tehdä, ota yhteyttä ylläpitäjään ennen kuin jatkat. Oletko varma, että haluat jatkaa?", "I know what I'm doing" : "Tiedän mitä teen", diff --git a/core/l10n/fr.js b/core/l10n/fr.js index e32cdd5fd93..bd791e728c0 100644 --- a/core/l10n/fr.js +++ b/core/l10n/fr.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "Nom du compte", "Server side authentication failed!" : "L’authentification sur le serveur a échoué !", "Please contact your administrator." : "Veuillez contacter votre administrateur.", - "Temporary error" : "Erreur temporaire", - "Please try again." : "Veuillez réessayer.", "An internal error occurred." : "Une erreur interne est survenue.", "Please try again or contact your administrator." : "Veuillez réessayer ou contactez votre administrateur.", "Password" : "Mot de passe", "Log in with a device" : "Se connecter avec un périphérique", "Login or email" : "Identifiant ou e-mail", "Your account is not setup for passwordless login." : "Votre compte n’est pas paramétré pour une authentification sans mot de passe.", - "Browser not supported" : "Navigateur non compatible", - "Passwordless authentication is not supported in your browser." : "L’authentification sans mot de passe n’est pas supportée par votre navigateur.", "Your connection is not secure" : "Votre connexion n’est pas sécurisée", "Passwordless authentication is only available over a secure connection." : "L’authentification sans mot de passe n’est possible qu’au travers d’une connexion sécurisée.", + "Browser not supported" : "Navigateur non compatible", + "Passwordless authentication is not supported in your browser." : "L’authentification sans mot de passe n’est pas supportée par votre navigateur.", "Reset password" : "Réinitialiser le mot de passe", + "Back to login" : "Retour à la page de connexion", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Si ce compte existe, un message de réinitialisation de mot de passe a été envoyé à l’adresse e-mail correspondante. Si vous ne le recevez pas, veuillez vérifier l’identifiant/adresse e-mail, vérifiez dans votre dossier d’indésirables ou demandez de l’aide à l’administrateur de cette instance.", "Couldn't send reset email. Please contact your administrator." : "Impossible d’envoyer l'e-mail de réinitialisation. Veuillez contacter votre administrateur.", "Password cannot be changed. Please contact your administrator." : "Le mot de passe ne pas être modifié. Veuillez contacter votre administrateur.", - "Back to login" : "Retour à la page de connexion", "New password" : "Nouveau mot de passe", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Vos fichiers sont chiffrés. Il n’y aura aucun moyen de récupérer vos données après la réinitialisation de votre mot de passe. Si vous n’êtes pas sûr de ce que vous faîtes, veuillez contacter votre administrateur avant de continuer. Voulez-vous vraiment continuer ?", "I know what I'm doing" : "Je sais ce que je fais", diff --git a/core/l10n/fr.json b/core/l10n/fr.json index 0221e8c2dbc..b1e7a01d35c 100644 --- a/core/l10n/fr.json +++ b/core/l10n/fr.json @@ -144,23 +144,21 @@ "Account name" : "Nom du compte", "Server side authentication failed!" : "L’authentification sur le serveur a échoué !", "Please contact your administrator." : "Veuillez contacter votre administrateur.", - "Temporary error" : "Erreur temporaire", - "Please try again." : "Veuillez réessayer.", "An internal error occurred." : "Une erreur interne est survenue.", "Please try again or contact your administrator." : "Veuillez réessayer ou contactez votre administrateur.", "Password" : "Mot de passe", "Log in with a device" : "Se connecter avec un périphérique", "Login or email" : "Identifiant ou e-mail", "Your account is not setup for passwordless login." : "Votre compte n’est pas paramétré pour une authentification sans mot de passe.", - "Browser not supported" : "Navigateur non compatible", - "Passwordless authentication is not supported in your browser." : "L’authentification sans mot de passe n’est pas supportée par votre navigateur.", "Your connection is not secure" : "Votre connexion n’est pas sécurisée", "Passwordless authentication is only available over a secure connection." : "L’authentification sans mot de passe n’est possible qu’au travers d’une connexion sécurisée.", + "Browser not supported" : "Navigateur non compatible", + "Passwordless authentication is not supported in your browser." : "L’authentification sans mot de passe n’est pas supportée par votre navigateur.", "Reset password" : "Réinitialiser le mot de passe", + "Back to login" : "Retour à la page de connexion", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Si ce compte existe, un message de réinitialisation de mot de passe a été envoyé à l’adresse e-mail correspondante. Si vous ne le recevez pas, veuillez vérifier l’identifiant/adresse e-mail, vérifiez dans votre dossier d’indésirables ou demandez de l’aide à l’administrateur de cette instance.", "Couldn't send reset email. Please contact your administrator." : "Impossible d’envoyer l'e-mail de réinitialisation. Veuillez contacter votre administrateur.", "Password cannot be changed. Please contact your administrator." : "Le mot de passe ne pas être modifié. Veuillez contacter votre administrateur.", - "Back to login" : "Retour à la page de connexion", "New password" : "Nouveau mot de passe", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Vos fichiers sont chiffrés. Il n’y aura aucun moyen de récupérer vos données après la réinitialisation de votre mot de passe. Si vous n’êtes pas sûr de ce que vous faîtes, veuillez contacter votre administrateur avant de continuer. Voulez-vous vraiment continuer ?", "I know what I'm doing" : "Je sais ce que je fais", diff --git a/core/l10n/ga.js b/core/l10n/ga.js index b5b83a5abce..0999530c9e6 100644 --- a/core/l10n/ga.js +++ b/core/l10n/ga.js @@ -146,23 +146,23 @@ OC.L10N.register( "Account name" : "Ainm chuntais", "Server side authentication failed!" : "Theip ar fhíordheimhniú taobh an fhreastalaí!", "Please contact your administrator." : "Déan teagmháil le do riarthóir.", - "Temporary error" : "Earráid shealadach", - "Please try again." : "Arís, le d'thoil.", + "Session error" : "Earráid seisiúin", + "It appears your session token has expired, please refresh the page and try again." : "Is cosúil go bhfuil do chomhartha seisiúin imithe in éag, athnuaigh an leathanach agus bain triail eile as.", "An internal error occurred." : "Tharla earráid inmheánach.", "Please try again or contact your administrator." : "Bain triail eile as nó déan teagmháil le do riarthóir.", "Password" : "Pasfhocal", "Log in with a device" : "Logáil isteach le gléas", "Login or email" : "Logáil isteach nó ríomhphost", "Your account is not setup for passwordless login." : "Níl do chuntas socraithe le haghaidh logáil isteach gan pasfhocal.", - "Browser not supported" : "Ní thacaítear leis an mbrabhsálaí", - "Passwordless authentication is not supported in your browser." : "Ní thacaítear le fíordheimhniú gan pasfhocal i do bhrabhsálaí.", "Your connection is not secure" : "Níl do nasc slán", "Passwordless authentication is only available over a secure connection." : "Níl fíordheimhniú gan pasfhocal ar fáil ach thar nasc slán.", + "Browser not supported" : "Ní thacaítear leis an mbrabhsálaí", + "Passwordless authentication is not supported in your browser." : "Ní thacaítear le fíordheimhniú gan pasfhocal i do bhrabhsálaí.", "Reset password" : "Athshocraigh pasfhocal", + "Back to login" : "Ar ais chuig logáil isteach", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Má tá an cuntas seo ann, tá teachtaireacht athshocraithe pasfhocail seolta chuig a sheoladh ríomhphoist. Mura bhfaigheann tú é, fíoraigh do sheoladh ríomhphoist agus/nó Logáil Isteach, seiceáil d’fhillteáin turscair/dramhphoist nó iarr cabhair ar do riarachán áitiúil.", "Couldn't send reset email. Please contact your administrator." : "Níorbh fhéidir ríomhphost athshocraithe a sheoladh. Déan teagmháil le do riarthóir le do thoil.", "Password cannot be changed. Please contact your administrator." : "Ní féidir pasfhocal a athrú. Déan teagmháil le do riarthóir.", - "Back to login" : "Ar ais chuig logáil isteach", "New password" : "Pasfhocal Nua", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Tá do chuid comhad criptithe. Ní bheidh aon bhealach chun do shonraí a fháil ar ais tar éis do phasfhocal a athshocrú. Mura bhfuil tú cinnte cad atá le déanamh, déan teagmháil le do riarthóir sula leanann tú ar aghaidh. Ar mhaith leat leanúint ar aghaidh i ndáiríre?", "I know what I'm doing" : "Tá a fhios agam cad atá á dhéanamh agam", @@ -207,9 +207,25 @@ OC.L10N.register( "Login form is disabled." : "Tá an fhoirm logáil isteach díchumasaithe.", "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "Tá foirm logáil isteach Nextcloud díchumasaithe. Úsáid rogha logáil isteach eile má tá sé ar fáil nó déan teagmháil le do lucht riaracháin.", "More actions" : "Tuilleadh gníomhartha", + "Password is too weak" : "Tá pasfhocal ró-lag", + "Password is weak" : "Tá pasfhocal lag", + "Password is average" : "Is pasfhocal meánach", + "Password is strong" : "Tá pasfhocal láidir", + "Password is very strong" : "Tá pasfhocal an-láidir", + "Password is extremely strong" : "Tá pasfhocal thar a bheith láidir", + "Unknown password strength" : "Neart phasfhocal anaithnid", + "Your data directory and files are probably accessible from the internet because the <code>.htaccess</code> file does not work." : "Is dócha go bhfuil do eolaire sonraí agus comhaid inrochtana ón idirlíon toisc nach n-oibríonn an comhad <code>.htaccess</code>.", + "For information how to properly configure your server, please {linkStart}see the documentation{linkEnd}" : "Chun eolas a fháil ar conas do fhreastalaí a chumrú i gceart, {linkStart}féach ar an doiciméadú{linkEnd}", + "Autoconfig file detected" : "Braitheadh comhad Autoconfig", + "The setup form below is pre-filled with the values from the config file." : "Tá an fhoirm socraithe thíos réamhlíonta leis na luachanna ón gcomhad cumraíochta.", "Security warning" : "Rabhadh slándála", + "Create administration account" : "Cruthaigh cuntas riaracháin", + "Administration account name" : "Ainm an chuntais riaracháin", + "Administration account password" : "Pasfhocal cuntas riaracháin", "Storage & database" : "Stóráil agus bunachar sonraí", "Data folder" : "Fillteán sonraí", + "Database configuration" : "Cumraíocht bunachar sonraí", + "Only {firstAndOnlyDatabase} is available." : "Níl ach {firstAndOnlyDatabase} ar fáil.", "Install and activate additional PHP modules to choose other database types." : "Suiteáil agus gníomhachtaigh modúil PHP breise chun cineálacha bunachar sonraí eile a roghnú.", "For more details check out the documentation." : "Le haghaidh tuilleadh sonraí féach ar an doiciméadú.", "Performance warning" : "Rabhadh feidhmíochta", @@ -222,6 +238,7 @@ OC.L10N.register( "Database tablespace" : "Bunachar sonraí spás tábla", "Please specify the port number along with the host name (e.g., localhost:5432)." : "Sonraigh le do thoil uimhir an phoirt mar aon le hainm an óstaigh (m.sh., localhost: 5432).", "Database host" : "Óstach bunachar sonraí", + "localhost" : "áitiúil-óstach", "Installing …" : "Suiteáil…", "Install" : "Suiteáil", "Need help?" : "Teastaionn Cabhair?", diff --git a/core/l10n/ga.json b/core/l10n/ga.json index 604472e113f..d35ca159da9 100644 --- a/core/l10n/ga.json +++ b/core/l10n/ga.json @@ -144,23 +144,23 @@ "Account name" : "Ainm chuntais", "Server side authentication failed!" : "Theip ar fhíordheimhniú taobh an fhreastalaí!", "Please contact your administrator." : "Déan teagmháil le do riarthóir.", - "Temporary error" : "Earráid shealadach", - "Please try again." : "Arís, le d'thoil.", + "Session error" : "Earráid seisiúin", + "It appears your session token has expired, please refresh the page and try again." : "Is cosúil go bhfuil do chomhartha seisiúin imithe in éag, athnuaigh an leathanach agus bain triail eile as.", "An internal error occurred." : "Tharla earráid inmheánach.", "Please try again or contact your administrator." : "Bain triail eile as nó déan teagmháil le do riarthóir.", "Password" : "Pasfhocal", "Log in with a device" : "Logáil isteach le gléas", "Login or email" : "Logáil isteach nó ríomhphost", "Your account is not setup for passwordless login." : "Níl do chuntas socraithe le haghaidh logáil isteach gan pasfhocal.", - "Browser not supported" : "Ní thacaítear leis an mbrabhsálaí", - "Passwordless authentication is not supported in your browser." : "Ní thacaítear le fíordheimhniú gan pasfhocal i do bhrabhsálaí.", "Your connection is not secure" : "Níl do nasc slán", "Passwordless authentication is only available over a secure connection." : "Níl fíordheimhniú gan pasfhocal ar fáil ach thar nasc slán.", + "Browser not supported" : "Ní thacaítear leis an mbrabhsálaí", + "Passwordless authentication is not supported in your browser." : "Ní thacaítear le fíordheimhniú gan pasfhocal i do bhrabhsálaí.", "Reset password" : "Athshocraigh pasfhocal", + "Back to login" : "Ar ais chuig logáil isteach", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Má tá an cuntas seo ann, tá teachtaireacht athshocraithe pasfhocail seolta chuig a sheoladh ríomhphoist. Mura bhfaigheann tú é, fíoraigh do sheoladh ríomhphoist agus/nó Logáil Isteach, seiceáil d’fhillteáin turscair/dramhphoist nó iarr cabhair ar do riarachán áitiúil.", "Couldn't send reset email. Please contact your administrator." : "Níorbh fhéidir ríomhphost athshocraithe a sheoladh. Déan teagmháil le do riarthóir le do thoil.", "Password cannot be changed. Please contact your administrator." : "Ní féidir pasfhocal a athrú. Déan teagmháil le do riarthóir.", - "Back to login" : "Ar ais chuig logáil isteach", "New password" : "Pasfhocal Nua", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Tá do chuid comhad criptithe. Ní bheidh aon bhealach chun do shonraí a fháil ar ais tar éis do phasfhocal a athshocrú. Mura bhfuil tú cinnte cad atá le déanamh, déan teagmháil le do riarthóir sula leanann tú ar aghaidh. Ar mhaith leat leanúint ar aghaidh i ndáiríre?", "I know what I'm doing" : "Tá a fhios agam cad atá á dhéanamh agam", @@ -205,9 +205,25 @@ "Login form is disabled." : "Tá an fhoirm logáil isteach díchumasaithe.", "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "Tá foirm logáil isteach Nextcloud díchumasaithe. Úsáid rogha logáil isteach eile má tá sé ar fáil nó déan teagmháil le do lucht riaracháin.", "More actions" : "Tuilleadh gníomhartha", + "Password is too weak" : "Tá pasfhocal ró-lag", + "Password is weak" : "Tá pasfhocal lag", + "Password is average" : "Is pasfhocal meánach", + "Password is strong" : "Tá pasfhocal láidir", + "Password is very strong" : "Tá pasfhocal an-láidir", + "Password is extremely strong" : "Tá pasfhocal thar a bheith láidir", + "Unknown password strength" : "Neart phasfhocal anaithnid", + "Your data directory and files are probably accessible from the internet because the <code>.htaccess</code> file does not work." : "Is dócha go bhfuil do eolaire sonraí agus comhaid inrochtana ón idirlíon toisc nach n-oibríonn an comhad <code>.htaccess</code>.", + "For information how to properly configure your server, please {linkStart}see the documentation{linkEnd}" : "Chun eolas a fháil ar conas do fhreastalaí a chumrú i gceart, {linkStart}féach ar an doiciméadú{linkEnd}", + "Autoconfig file detected" : "Braitheadh comhad Autoconfig", + "The setup form below is pre-filled with the values from the config file." : "Tá an fhoirm socraithe thíos réamhlíonta leis na luachanna ón gcomhad cumraíochta.", "Security warning" : "Rabhadh slándála", + "Create administration account" : "Cruthaigh cuntas riaracháin", + "Administration account name" : "Ainm an chuntais riaracháin", + "Administration account password" : "Pasfhocal cuntas riaracháin", "Storage & database" : "Stóráil agus bunachar sonraí", "Data folder" : "Fillteán sonraí", + "Database configuration" : "Cumraíocht bunachar sonraí", + "Only {firstAndOnlyDatabase} is available." : "Níl ach {firstAndOnlyDatabase} ar fáil.", "Install and activate additional PHP modules to choose other database types." : "Suiteáil agus gníomhachtaigh modúil PHP breise chun cineálacha bunachar sonraí eile a roghnú.", "For more details check out the documentation." : "Le haghaidh tuilleadh sonraí féach ar an doiciméadú.", "Performance warning" : "Rabhadh feidhmíochta", @@ -220,6 +236,7 @@ "Database tablespace" : "Bunachar sonraí spás tábla", "Please specify the port number along with the host name (e.g., localhost:5432)." : "Sonraigh le do thoil uimhir an phoirt mar aon le hainm an óstaigh (m.sh., localhost: 5432).", "Database host" : "Óstach bunachar sonraí", + "localhost" : "áitiúil-óstach", "Installing …" : "Suiteáil…", "Install" : "Suiteáil", "Need help?" : "Teastaionn Cabhair?", diff --git a/core/l10n/gl.js b/core/l10n/gl.js index be7286aaa76..a43b799cb87 100644 --- a/core/l10n/gl.js +++ b/core/l10n/gl.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "Nome da conta", "Server side authentication failed!" : "A autenticación fracasou do lado do servidor!", "Please contact your administrator." : "Contacte coa administración desta instancia.", - "Temporary error" : "produciuse un erro temporal", - "Please try again." : "Ténteo de novo", "An internal error occurred." : "Produciuse un erro interno", "Please try again or contact your administrator." : "Ténteo de novo ou póñase en contacto coa administración desta instancia.", "Password" : "Contrasinal", "Log in with a device" : "Acceder cun dispositivo", "Login or email" : "Acceso ou correo-e", "Your account is not setup for passwordless login." : "A súa conta non está configurada para o acceso sen contrasinal.", - "Browser not supported" : "Este navegador non é compatíbel", - "Passwordless authentication is not supported in your browser." : "O seu navegador non admite a autenticación sen contrasinal.", "Your connection is not secure" : "A conexión non é segura", "Passwordless authentication is only available over a secure connection." : "A autenticación sen contrasinal só está dispoñíbel nunha conexión segura.", + "Browser not supported" : "Este navegador non é compatíbel", + "Passwordless authentication is not supported in your browser." : "O seu navegador non admite a autenticación sen contrasinal.", "Reset password" : "Restabelecer o contrasinal", + "Back to login" : "Volver ao acceso", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Se existe esta conta, enviouse unha mensaxe de restabelecemento do contrasinal ao seu enderezo de correo. Se non o recibe, verifique o seu enderezo de correo e/ou o acceso, consulte os seus cartafoles de correo lixo ou non desexado, ou pídalle axuda á súa administración local.", "Couldn't send reset email. Please contact your administrator." : "Non foi posíbel enviar o correo do restabelecemento. Póñase en contacto coa administración desta instancia.", "Password cannot be changed. Please contact your administrator." : "Non é posíbel cambiar o contrasinal. Póñase en contacto coa administración desta instancia.", - "Back to login" : "Volver ao acceso", "New password" : "Novo contrasinal", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Os seus ficheiros están cifrados. Non haberá maneira de recuperar os datos após o restabelecemento do contrasinal. Se non está seguro de que facer, póñase en contacto coa administración desta instancia antes de continuar. Confirma que quere continuar?", "I know what I'm doing" : "Sei o que estou a facer", diff --git a/core/l10n/gl.json b/core/l10n/gl.json index 6f1b56cd1c3..c85c3b93e06 100644 --- a/core/l10n/gl.json +++ b/core/l10n/gl.json @@ -144,23 +144,21 @@ "Account name" : "Nome da conta", "Server side authentication failed!" : "A autenticación fracasou do lado do servidor!", "Please contact your administrator." : "Contacte coa administración desta instancia.", - "Temporary error" : "produciuse un erro temporal", - "Please try again." : "Ténteo de novo", "An internal error occurred." : "Produciuse un erro interno", "Please try again or contact your administrator." : "Ténteo de novo ou póñase en contacto coa administración desta instancia.", "Password" : "Contrasinal", "Log in with a device" : "Acceder cun dispositivo", "Login or email" : "Acceso ou correo-e", "Your account is not setup for passwordless login." : "A súa conta non está configurada para o acceso sen contrasinal.", - "Browser not supported" : "Este navegador non é compatíbel", - "Passwordless authentication is not supported in your browser." : "O seu navegador non admite a autenticación sen contrasinal.", "Your connection is not secure" : "A conexión non é segura", "Passwordless authentication is only available over a secure connection." : "A autenticación sen contrasinal só está dispoñíbel nunha conexión segura.", + "Browser not supported" : "Este navegador non é compatíbel", + "Passwordless authentication is not supported in your browser." : "O seu navegador non admite a autenticación sen contrasinal.", "Reset password" : "Restabelecer o contrasinal", + "Back to login" : "Volver ao acceso", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Se existe esta conta, enviouse unha mensaxe de restabelecemento do contrasinal ao seu enderezo de correo. Se non o recibe, verifique o seu enderezo de correo e/ou o acceso, consulte os seus cartafoles de correo lixo ou non desexado, ou pídalle axuda á súa administración local.", "Couldn't send reset email. Please contact your administrator." : "Non foi posíbel enviar o correo do restabelecemento. Póñase en contacto coa administración desta instancia.", "Password cannot be changed. Please contact your administrator." : "Non é posíbel cambiar o contrasinal. Póñase en contacto coa administración desta instancia.", - "Back to login" : "Volver ao acceso", "New password" : "Novo contrasinal", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Os seus ficheiros están cifrados. Non haberá maneira de recuperar os datos após o restabelecemento do contrasinal. Se non está seguro de que facer, póñase en contacto coa administración desta instancia antes de continuar. Confirma que quere continuar?", "I know what I'm doing" : "Sei o que estou a facer", diff --git a/core/l10n/he.js b/core/l10n/he.js index fd24bcdc299..69ff9805b5b 100644 --- a/core/l10n/he.js +++ b/core/l10n/he.js @@ -98,11 +98,11 @@ OC.L10N.register( "Password" : "ססמה", "Log in with a device" : "כניסה עם מכשיר", "Your account is not setup for passwordless login." : "החשבון שלך לא מוגדר לכניסה בלי ססמה.", - "Passwordless authentication is not supported in your browser." : "אימות ללא ססמה אינו נתמך על ידי הדפדפן שלך.", "Passwordless authentication is only available over a secure connection." : "אימות ללא ססמה זמין רק דרך חיבור מאובטח.", + "Passwordless authentication is not supported in your browser." : "אימות ללא ססמה אינו נתמך על ידי הדפדפן שלך.", "Reset password" : "איפוס ססמה", - "Couldn't send reset email. Please contact your administrator." : "לא ניתן היה לשלוח דואר אלקטרוני לאיפוס. יש לפנות למנהל שלך.", "Back to login" : "חזרה לכניסה", + "Couldn't send reset email. Please contact your administrator." : "לא ניתן היה לשלוח דואר אלקטרוני לאיפוס. יש לפנות למנהל שלך.", "New password" : "ססמה חדשה", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "הקבצים שלך מוצפנים. לא תהיה שום דרך להחזיר את הנתונים לאחר איפוס הסיסמה. אם אינך בטוח מה לעשות, פנה למנהל המערכת לפני שתמשיך. האם אתה באמת רוצה להמשיך?", "I know what I'm doing" : "אני יודע/ת מה אני עושה", diff --git a/core/l10n/he.json b/core/l10n/he.json index c0cf2b04ab0..63fbd659761 100644 --- a/core/l10n/he.json +++ b/core/l10n/he.json @@ -96,11 +96,11 @@ "Password" : "ססמה", "Log in with a device" : "כניסה עם מכשיר", "Your account is not setup for passwordless login." : "החשבון שלך לא מוגדר לכניסה בלי ססמה.", - "Passwordless authentication is not supported in your browser." : "אימות ללא ססמה אינו נתמך על ידי הדפדפן שלך.", "Passwordless authentication is only available over a secure connection." : "אימות ללא ססמה זמין רק דרך חיבור מאובטח.", + "Passwordless authentication is not supported in your browser." : "אימות ללא ססמה אינו נתמך על ידי הדפדפן שלך.", "Reset password" : "איפוס ססמה", - "Couldn't send reset email. Please contact your administrator." : "לא ניתן היה לשלוח דואר אלקטרוני לאיפוס. יש לפנות למנהל שלך.", "Back to login" : "חזרה לכניסה", + "Couldn't send reset email. Please contact your administrator." : "לא ניתן היה לשלוח דואר אלקטרוני לאיפוס. יש לפנות למנהל שלך.", "New password" : "ססמה חדשה", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "הקבצים שלך מוצפנים. לא תהיה שום דרך להחזיר את הנתונים לאחר איפוס הסיסמה. אם אינך בטוח מה לעשות, פנה למנהל המערכת לפני שתמשיך. האם אתה באמת רוצה להמשיך?", "I know what I'm doing" : "אני יודע/ת מה אני עושה", diff --git a/core/l10n/hr.js b/core/l10n/hr.js index e7134cfd044..ee1ef4fb06f 100644 --- a/core/l10n/hr.js +++ b/core/l10n/hr.js @@ -101,14 +101,14 @@ OC.L10N.register( "Password" : "Zaporka", "Log in with a device" : "Prijavite se s pomoću uređaja", "Your account is not setup for passwordless login." : "Nije odabrana mogućnost prijave bez zaporke za vaš račun.", - "Browser not supported" : "Preglednik nije podržan", - "Passwordless authentication is not supported in your browser." : "Vaš preglednik ne podržava autentifikaciju bez zaporke.", "Your connection is not secure" : "Vaša veza nije sigurna", "Passwordless authentication is only available over a secure connection." : "Autentifikacija bez zaporke dostupna je samo ako je uspostavljena sigurna veza.", + "Browser not supported" : "Preglednik nije podržan", + "Passwordless authentication is not supported in your browser." : "Vaš preglednik ne podržava autentifikaciju bez zaporke.", "Reset password" : "Resetiraj zaporku", + "Back to login" : "Natrag na prijavu", "Couldn't send reset email. Please contact your administrator." : "Nije moguće poslati poruku za resetiranje. Kontaktirajte s administratorom.", "Password cannot be changed. Please contact your administrator." : "Zaporku nije moguće promijeniti. Obratite se svom administratoru.", - "Back to login" : "Natrag na prijavu", "New password" : "Nova zaporka", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Vaši podaci su šifrirani. Ako resetirate zaporku, nećete ih moći kasnije vratiti. Ako ne znate što učiniti, obratite se svom administratoru prije nego što nastavite. Želite li nastaviti?", "I know what I'm doing" : "Znam što radim", diff --git a/core/l10n/hr.json b/core/l10n/hr.json index c43a65dda04..10ef3e59890 100644 --- a/core/l10n/hr.json +++ b/core/l10n/hr.json @@ -99,14 +99,14 @@ "Password" : "Zaporka", "Log in with a device" : "Prijavite se s pomoću uređaja", "Your account is not setup for passwordless login." : "Nije odabrana mogućnost prijave bez zaporke za vaš račun.", - "Browser not supported" : "Preglednik nije podržan", - "Passwordless authentication is not supported in your browser." : "Vaš preglednik ne podržava autentifikaciju bez zaporke.", "Your connection is not secure" : "Vaša veza nije sigurna", "Passwordless authentication is only available over a secure connection." : "Autentifikacija bez zaporke dostupna je samo ako je uspostavljena sigurna veza.", + "Browser not supported" : "Preglednik nije podržan", + "Passwordless authentication is not supported in your browser." : "Vaš preglednik ne podržava autentifikaciju bez zaporke.", "Reset password" : "Resetiraj zaporku", + "Back to login" : "Natrag na prijavu", "Couldn't send reset email. Please contact your administrator." : "Nije moguće poslati poruku za resetiranje. Kontaktirajte s administratorom.", "Password cannot be changed. Please contact your administrator." : "Zaporku nije moguće promijeniti. Obratite se svom administratoru.", - "Back to login" : "Natrag na prijavu", "New password" : "Nova zaporka", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Vaši podaci su šifrirani. Ako resetirate zaporku, nećete ih moći kasnije vratiti. Ako ne znate što učiniti, obratite se svom administratoru prije nego što nastavite. Želite li nastaviti?", "I know what I'm doing" : "Znam što radim", diff --git a/core/l10n/hu.js b/core/l10n/hu.js index a74477b69c2..c3d656a8352 100644 --- a/core/l10n/hu.js +++ b/core/l10n/hu.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "Fiók neve", "Server side authentication failed!" : "A kiszolgálóoldali hitelesítés sikertelen.", "Please contact your administrator." : "Lépjen kapcsolatba a rendszergazdával.", - "Temporary error" : "Ideiglenes hiba", - "Please try again." : "Próbálja újra.", "An internal error occurred." : "Belső hiba történt.", "Please try again or contact your administrator." : "Próbálja meg újra, vagy vegye fel a kapcsolatot a rendszergazdával.", "Password" : "Jelszó", "Log in with a device" : "Bejelentkezés eszközzel", "Login or email" : "Bejelentkezés vagy e-mail", "Your account is not setup for passwordless login." : "A fiókja nincs beállítva jelszómentes bejelentkezésre.", - "Browser not supported" : "A böngésző nem támogatott", - "Passwordless authentication is not supported in your browser." : "A jelszó nélküli hitelesítést nem támogatja a böngészője.", "Your connection is not secure" : "A kapcsolat nem biztonságos", "Passwordless authentication is only available over a secure connection." : "A jelszó nélküli hitelesítés csak biztonságos kapcsolaton keresztül érhető el.", + "Browser not supported" : "A böngésző nem támogatott", + "Passwordless authentication is not supported in your browser." : "A jelszó nélküli hitelesítést nem támogatja a böngészője.", "Reset password" : "Jelszó-visszaállítás", + "Back to login" : "Vissza a bejelentkezéshez", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Ha a fiók létezik, akkor egy jelszó-visszaállítási üzenet lett küldve az e-mail-címére. Ha nem kapja meg, akkor ellenőrizze az e-mail-címet és a bejelentkezést, nézze meg a levélszemét mappáját vagy kérje a helyi rendszergazda segítségét.", "Couldn't send reset email. Please contact your administrator." : "Nem küldhető visszaállítási e-mail. Lépjen kapcsolatba a rendszergazdával.", "Password cannot be changed. Please contact your administrator." : "A jelszó nem módosítható. Lépjen kapcsolatba a rendszergazdával.", - "Back to login" : "Vissza a bejelentkezéshez", "New password" : "Új jelszó", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "A fájljai titkosítva vannak. A jelszó visszaállítása után sehogy sem fogja tudja visszaszerezni azokat. Ha nem tudja mi a teendő, akkor beszéljen a helyi rendszergazdával. Biztos, hogy folytatja?", "I know what I'm doing" : "Tudom mit csinálok.", @@ -207,6 +205,14 @@ OC.L10N.register( "Login form is disabled." : "A bejelentkezési űrlap letiltva.", "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "A Nextcloud bejelentkezési űrlap le van tiltva. Használjon más bejelentkezési lehetőséget, ha van ilyen, vagy lépjen kapcsolatba az adminisztrációval.", "More actions" : "További műveletek", + "Password is too weak" : "Jelszó túl gyenge", + "Password is weak" : "Jelszó gyenge", + "Password is average" : "Jelszó átlagos", + "Password is strong" : "A jelszó erős", + "Password is very strong" : "A jelszó nagyon erős", + "Password is extremely strong" : "A jelszó extrém erős", + "Unknown password strength" : "Ismeretlen jelszó erősség", + "Autoconfig file detected" : "Autoconfig fájl felismerve", "Security warning" : "Biztonsági figyelmeztetés", "Storage & database" : "Tárhely és adatbázis", "Data folder" : "Adat mappa", diff --git a/core/l10n/hu.json b/core/l10n/hu.json index 3c0db515fe6..8f309c0958a 100644 --- a/core/l10n/hu.json +++ b/core/l10n/hu.json @@ -144,23 +144,21 @@ "Account name" : "Fiók neve", "Server side authentication failed!" : "A kiszolgálóoldali hitelesítés sikertelen.", "Please contact your administrator." : "Lépjen kapcsolatba a rendszergazdával.", - "Temporary error" : "Ideiglenes hiba", - "Please try again." : "Próbálja újra.", "An internal error occurred." : "Belső hiba történt.", "Please try again or contact your administrator." : "Próbálja meg újra, vagy vegye fel a kapcsolatot a rendszergazdával.", "Password" : "Jelszó", "Log in with a device" : "Bejelentkezés eszközzel", "Login or email" : "Bejelentkezés vagy e-mail", "Your account is not setup for passwordless login." : "A fiókja nincs beállítva jelszómentes bejelentkezésre.", - "Browser not supported" : "A böngésző nem támogatott", - "Passwordless authentication is not supported in your browser." : "A jelszó nélküli hitelesítést nem támogatja a böngészője.", "Your connection is not secure" : "A kapcsolat nem biztonságos", "Passwordless authentication is only available over a secure connection." : "A jelszó nélküli hitelesítés csak biztonságos kapcsolaton keresztül érhető el.", + "Browser not supported" : "A böngésző nem támogatott", + "Passwordless authentication is not supported in your browser." : "A jelszó nélküli hitelesítést nem támogatja a böngészője.", "Reset password" : "Jelszó-visszaállítás", + "Back to login" : "Vissza a bejelentkezéshez", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Ha a fiók létezik, akkor egy jelszó-visszaállítási üzenet lett küldve az e-mail-címére. Ha nem kapja meg, akkor ellenőrizze az e-mail-címet és a bejelentkezést, nézze meg a levélszemét mappáját vagy kérje a helyi rendszergazda segítségét.", "Couldn't send reset email. Please contact your administrator." : "Nem küldhető visszaállítási e-mail. Lépjen kapcsolatba a rendszergazdával.", "Password cannot be changed. Please contact your administrator." : "A jelszó nem módosítható. Lépjen kapcsolatba a rendszergazdával.", - "Back to login" : "Vissza a bejelentkezéshez", "New password" : "Új jelszó", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "A fájljai titkosítva vannak. A jelszó visszaállítása után sehogy sem fogja tudja visszaszerezni azokat. Ha nem tudja mi a teendő, akkor beszéljen a helyi rendszergazdával. Biztos, hogy folytatja?", "I know what I'm doing" : "Tudom mit csinálok.", @@ -205,6 +203,14 @@ "Login form is disabled." : "A bejelentkezési űrlap letiltva.", "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "A Nextcloud bejelentkezési űrlap le van tiltva. Használjon más bejelentkezési lehetőséget, ha van ilyen, vagy lépjen kapcsolatba az adminisztrációval.", "More actions" : "További műveletek", + "Password is too weak" : "Jelszó túl gyenge", + "Password is weak" : "Jelszó gyenge", + "Password is average" : "Jelszó átlagos", + "Password is strong" : "A jelszó erős", + "Password is very strong" : "A jelszó nagyon erős", + "Password is extremely strong" : "A jelszó extrém erős", + "Unknown password strength" : "Ismeretlen jelszó erősség", + "Autoconfig file detected" : "Autoconfig fájl felismerve", "Security warning" : "Biztonsági figyelmeztetés", "Storage & database" : "Tárhely és adatbázis", "Data folder" : "Adat mappa", diff --git a/core/l10n/id.js b/core/l10n/id.js index 74f4c8d14f2..e2e3edcd462 100644 --- a/core/l10n/id.js +++ b/core/l10n/id.js @@ -98,14 +98,14 @@ OC.L10N.register( "Password" : "Kata Sandi", "Log in with a device" : "Log masuk dengan perangkat", "Your account is not setup for passwordless login." : "Akun Anda tidak diatur untuk masuk tanpa kata sandi.", - "Browser not supported" : "Peramban tidak didukung", - "Passwordless authentication is not supported in your browser." : "Otentikasi tanpa kata sandi tidak didukung peramban Anda.", "Your connection is not secure" : "Koneksi Anda tidak aman", "Passwordless authentication is only available over a secure connection." : "Otentikasi tanpa kata sandi hanya tersedia melalui koneksi aman.", + "Browser not supported" : "Peramban tidak didukung", + "Passwordless authentication is not supported in your browser." : "Otentikasi tanpa kata sandi tidak didukung peramban Anda.", "Reset password" : "Setel ulang kata sandi", + "Back to login" : "Kembali ke log masuk", "Couldn't send reset email. Please contact your administrator." : "Tidak dapat mengirim surel setel ulang. Silakan hubungi administrator Anda.", "Password cannot be changed. Please contact your administrator." : "Kata sandi tidak dapat diubah. Silakan hubungi administrator Anda.", - "Back to login" : "Kembali ke log masuk", "New password" : "Kata sandi baru", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Berkas Anda terenkripsi. Tidak memungkinkan untuk mendapatkan kembali data Anda setelah kata sandi disetel ulang. Jika tidak yakin, silakan hubungi administrator Anda sebelum melanjutkan. Apa Anda ingin melanjutkan?", "I know what I'm doing" : "Saya tahu apa yang saya lakukan", diff --git a/core/l10n/id.json b/core/l10n/id.json index 9f43283074a..6ae200818e0 100644 --- a/core/l10n/id.json +++ b/core/l10n/id.json @@ -96,14 +96,14 @@ "Password" : "Kata Sandi", "Log in with a device" : "Log masuk dengan perangkat", "Your account is not setup for passwordless login." : "Akun Anda tidak diatur untuk masuk tanpa kata sandi.", - "Browser not supported" : "Peramban tidak didukung", - "Passwordless authentication is not supported in your browser." : "Otentikasi tanpa kata sandi tidak didukung peramban Anda.", "Your connection is not secure" : "Koneksi Anda tidak aman", "Passwordless authentication is only available over a secure connection." : "Otentikasi tanpa kata sandi hanya tersedia melalui koneksi aman.", + "Browser not supported" : "Peramban tidak didukung", + "Passwordless authentication is not supported in your browser." : "Otentikasi tanpa kata sandi tidak didukung peramban Anda.", "Reset password" : "Setel ulang kata sandi", + "Back to login" : "Kembali ke log masuk", "Couldn't send reset email. Please contact your administrator." : "Tidak dapat mengirim surel setel ulang. Silakan hubungi administrator Anda.", "Password cannot be changed. Please contact your administrator." : "Kata sandi tidak dapat diubah. Silakan hubungi administrator Anda.", - "Back to login" : "Kembali ke log masuk", "New password" : "Kata sandi baru", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Berkas Anda terenkripsi. Tidak memungkinkan untuk mendapatkan kembali data Anda setelah kata sandi disetel ulang. Jika tidak yakin, silakan hubungi administrator Anda sebelum melanjutkan. Apa Anda ingin melanjutkan?", "I know what I'm doing" : "Saya tahu apa yang saya lakukan", diff --git a/core/l10n/is.js b/core/l10n/is.js index b3770f61786..b5d16d7103b 100644 --- a/core/l10n/is.js +++ b/core/l10n/is.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "Heiti notandaaðgangs", "Server side authentication failed!" : "Auðkenning af hálfu þjóns tókst ekki!", "Please contact your administrator." : "Hafðu samband við kerfisstjóra.", - "Temporary error" : "Tímabundin villa", - "Please try again." : "Endilega reyndu aftur.", "An internal error occurred." : "Innri villa kom upp.", "Please try again or contact your administrator." : "Reyndu aftur eða hafðu samband við kerfisstjóra.", "Password" : "Lykilorð", "Log in with a device" : "Skrá inn með tæki", "Login or email" : "Notandanafn eða lykilorð", "Your account is not setup for passwordless login." : "Aðgangur þinn er ekki uppsettur með lykilorðalausri innskráningu.", - "Browser not supported" : "Það er ekki stuðningur við vafrann", - "Passwordless authentication is not supported in your browser." : "Lykilorðalaus auðkenning er ekki studd í vafranum þínum.", "Your connection is not secure" : "Tengingin þín er ekki örugg", "Passwordless authentication is only available over a secure connection." : "Lykilorðalaus auðkenning er aðeins tiltæk í gegnum örugga tengingu.", + "Browser not supported" : "Það er ekki stuðningur við vafrann", + "Passwordless authentication is not supported in your browser." : "Lykilorðalaus auðkenning er ekki studd í vafranum þínum.", "Reset password" : "Endursetja lykilorð", + "Back to login" : "Til baka í innskráningu", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Ef þessi aðgangur fyrirfinnst, þá hafa skilaboð um endurstillingu lykilorðs verið send á tölvupóstfang aðgangsins. Ef þú hefur ekki fengið slík skilaboð, skaltu athuga tölvupóstfangið þitt og/eða notandanafnið, skoða vel í möppur fyrir ruslpóst/rusl eða beðið kerfisstjórnendur þína um aðstoð.", "Couldn't send reset email. Please contact your administrator." : "Gat ekki sent endurstillingu í tölvupósti. Hafðu samband við kerfisstjóra.", "Password cannot be changed. Please contact your administrator." : "Ekki er hægt að breyta lykilorði. Hafðu samband við kerfisstjóra.", - "Back to login" : "Til baka í innskráningu", "New password" : "Nýtt lykilorð", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Skrárnar þínar eru dulritaðar. Það er engin leið til að fá gögnin þín til baka eftir lykilorðið þitt er endurstillt. Ef þú ert ekki viss hvað eigi að gera, skaltu hafa samband við kerfisstjórann áður en þú heldur áfram. Viltu halda áfram?", "I know what I'm doing" : "Ég veit hvað ég er að gera", diff --git a/core/l10n/is.json b/core/l10n/is.json index 6646e733cfe..390a80fc0cf 100644 --- a/core/l10n/is.json +++ b/core/l10n/is.json @@ -144,23 +144,21 @@ "Account name" : "Heiti notandaaðgangs", "Server side authentication failed!" : "Auðkenning af hálfu þjóns tókst ekki!", "Please contact your administrator." : "Hafðu samband við kerfisstjóra.", - "Temporary error" : "Tímabundin villa", - "Please try again." : "Endilega reyndu aftur.", "An internal error occurred." : "Innri villa kom upp.", "Please try again or contact your administrator." : "Reyndu aftur eða hafðu samband við kerfisstjóra.", "Password" : "Lykilorð", "Log in with a device" : "Skrá inn með tæki", "Login or email" : "Notandanafn eða lykilorð", "Your account is not setup for passwordless login." : "Aðgangur þinn er ekki uppsettur með lykilorðalausri innskráningu.", - "Browser not supported" : "Það er ekki stuðningur við vafrann", - "Passwordless authentication is not supported in your browser." : "Lykilorðalaus auðkenning er ekki studd í vafranum þínum.", "Your connection is not secure" : "Tengingin þín er ekki örugg", "Passwordless authentication is only available over a secure connection." : "Lykilorðalaus auðkenning er aðeins tiltæk í gegnum örugga tengingu.", + "Browser not supported" : "Það er ekki stuðningur við vafrann", + "Passwordless authentication is not supported in your browser." : "Lykilorðalaus auðkenning er ekki studd í vafranum þínum.", "Reset password" : "Endursetja lykilorð", + "Back to login" : "Til baka í innskráningu", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Ef þessi aðgangur fyrirfinnst, þá hafa skilaboð um endurstillingu lykilorðs verið send á tölvupóstfang aðgangsins. Ef þú hefur ekki fengið slík skilaboð, skaltu athuga tölvupóstfangið þitt og/eða notandanafnið, skoða vel í möppur fyrir ruslpóst/rusl eða beðið kerfisstjórnendur þína um aðstoð.", "Couldn't send reset email. Please contact your administrator." : "Gat ekki sent endurstillingu í tölvupósti. Hafðu samband við kerfisstjóra.", "Password cannot be changed. Please contact your administrator." : "Ekki er hægt að breyta lykilorði. Hafðu samband við kerfisstjóra.", - "Back to login" : "Til baka í innskráningu", "New password" : "Nýtt lykilorð", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Skrárnar þínar eru dulritaðar. Það er engin leið til að fá gögnin þín til baka eftir lykilorðið þitt er endurstillt. Ef þú ert ekki viss hvað eigi að gera, skaltu hafa samband við kerfisstjórann áður en þú heldur áfram. Viltu halda áfram?", "I know what I'm doing" : "Ég veit hvað ég er að gera", diff --git a/core/l10n/it.js b/core/l10n/it.js index c08c127b194..0af469b5aba 100644 --- a/core/l10n/it.js +++ b/core/l10n/it.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "Nome account", "Server side authentication failed!" : "Autenticazione lato server non riuscita!", "Please contact your administrator." : "Contatta il tuo amministratore di sistema.", - "Temporary error" : "Errore temporaneo", - "Please try again." : "Riprova.", "An internal error occurred." : "Si è verificato un errore interno.", "Please try again or contact your administrator." : "Prova ancora o contatta il tuo amministratore.", "Password" : "Password", "Log in with a device" : "Accedi con un dispositivo", "Login or email" : "Nome utente o email", "Your account is not setup for passwordless login." : "Il tuo account non è configurato per l'accesso senza password.", - "Browser not supported" : "Browser non supportato", - "Passwordless authentication is not supported in your browser." : "L'autenticazione senza password non è supportata dal tuo browser. ", "Your connection is not secure" : "La tua connessione non è sicura", "Passwordless authentication is only available over a secure connection." : "L'autenticazione senza password è disponibile solo su una connessione sicura.", + "Browser not supported" : "Browser non supportato", + "Passwordless authentication is not supported in your browser." : "L'autenticazione senza password non è supportata dal tuo browser. ", "Reset password" : "Ripristina la password", + "Back to login" : "Torna alla schermata di accesso", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Se questo account esiste, è stato inviato un messaggio di reimpostazione della password al suo indirizzo email. Se non lo ricevi, verifica l'indirizzo di posta e/o il nome utente, controlla le cartelle spam/posta indesiderata o chiedi aiuto al tuo amministratore.", "Couldn't send reset email. Please contact your administrator." : "Impossibile inviare l'email di reimpostazione. Contatta il tuo amministratore.", "Password cannot be changed. Please contact your administrator." : "La password non può essere cambiata. Contatta il tuo amministratore.", - "Back to login" : "Torna alla schermata di accesso", "New password" : "Nuova password", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "I tuoi file sono cifrati. Non sarà più possibile recuperare i tuoi dati una volta che la password sarà reimpostata. Se non sei sicuro, contatta l'amministratore prima di proseguire. Vuoi davvero continuare?", "I know what I'm doing" : "So cosa sto facendo", diff --git a/core/l10n/it.json b/core/l10n/it.json index bffab681264..d8f78eff15e 100644 --- a/core/l10n/it.json +++ b/core/l10n/it.json @@ -144,23 +144,21 @@ "Account name" : "Nome account", "Server side authentication failed!" : "Autenticazione lato server non riuscita!", "Please contact your administrator." : "Contatta il tuo amministratore di sistema.", - "Temporary error" : "Errore temporaneo", - "Please try again." : "Riprova.", "An internal error occurred." : "Si è verificato un errore interno.", "Please try again or contact your administrator." : "Prova ancora o contatta il tuo amministratore.", "Password" : "Password", "Log in with a device" : "Accedi con un dispositivo", "Login or email" : "Nome utente o email", "Your account is not setup for passwordless login." : "Il tuo account non è configurato per l'accesso senza password.", - "Browser not supported" : "Browser non supportato", - "Passwordless authentication is not supported in your browser." : "L'autenticazione senza password non è supportata dal tuo browser. ", "Your connection is not secure" : "La tua connessione non è sicura", "Passwordless authentication is only available over a secure connection." : "L'autenticazione senza password è disponibile solo su una connessione sicura.", + "Browser not supported" : "Browser non supportato", + "Passwordless authentication is not supported in your browser." : "L'autenticazione senza password non è supportata dal tuo browser. ", "Reset password" : "Ripristina la password", + "Back to login" : "Torna alla schermata di accesso", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Se questo account esiste, è stato inviato un messaggio di reimpostazione della password al suo indirizzo email. Se non lo ricevi, verifica l'indirizzo di posta e/o il nome utente, controlla le cartelle spam/posta indesiderata o chiedi aiuto al tuo amministratore.", "Couldn't send reset email. Please contact your administrator." : "Impossibile inviare l'email di reimpostazione. Contatta il tuo amministratore.", "Password cannot be changed. Please contact your administrator." : "La password non può essere cambiata. Contatta il tuo amministratore.", - "Back to login" : "Torna alla schermata di accesso", "New password" : "Nuova password", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "I tuoi file sono cifrati. Non sarà più possibile recuperare i tuoi dati una volta che la password sarà reimpostata. Se non sei sicuro, contatta l'amministratore prima di proseguire. Vuoi davvero continuare?", "I know what I'm doing" : "So cosa sto facendo", diff --git a/core/l10n/ja.js b/core/l10n/ja.js index 3ccbb7057d1..81d72549c88 100644 --- a/core/l10n/ja.js +++ b/core/l10n/ja.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "アカウント名", "Server side authentication failed!" : "サーバーサイドの認証に失敗しました!", "Please contact your administrator." : "管理者にお問い合わせください。", - "Temporary error" : "一時的なエラー", - "Please try again." : "もう一度お試しください。", "An internal error occurred." : "内部エラーが発生しました。", "Please try again or contact your administrator." : "もう一度やり直してみるか、管理者にお問い合わせください。", "Password" : "パスワード", "Log in with a device" : "デバイスを使ってログインする", "Login or email" : "ログイン名またはEメール", "Your account is not setup for passwordless login." : "あなたのアカウントはパスワードなしでログインできるように設定されていません。", - "Browser not supported" : "サポートされていないブラウザーです", - "Passwordless authentication is not supported in your browser." : "お使いのブラウザーはパスワードレス認証に対応していません。", "Your connection is not secure" : "この接続は安全ではありません", "Passwordless authentication is only available over a secure connection." : "パスワードレス認証は、セキュアな接続でのみ利用可能です。", + "Browser not supported" : "サポートされていないブラウザーです", + "Passwordless authentication is not supported in your browser." : "お使いのブラウザーはパスワードレス認証に対応していません。", "Reset password" : "パスワードをリセット", + "Back to login" : "ログインに戻る", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "このアカウントが存在する場合、パスワードリセットメッセージがメールアドレスに送信されています。もしメッセージが届かない場合は、メールアドレスやログイン名を確認するか、迷惑メールフォルダをチェックするか、もしくは管理者にお問い合わせください。", "Couldn't send reset email. Please contact your administrator." : "リセットメールを送信できませんでした。管理者に問い合わせてください。", "Password cannot be changed. Please contact your administrator." : "パスワードは変更できません。管理者に問い合わせてください。", - "Back to login" : "ログインに戻る", "New password" : "新しいパスワードを入力", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "ファイルが暗号化されます。パスワードがリセットされた後は、データを元に戻すことはできません。対処方法がわからない場合は、続行する前に管理者に問い合わせてください。本当に続行しますか?", "I know what I'm doing" : "どういう操作をしているか理解しています", diff --git a/core/l10n/ja.json b/core/l10n/ja.json index b9e7784aabb..c1ce472154d 100644 --- a/core/l10n/ja.json +++ b/core/l10n/ja.json @@ -144,23 +144,21 @@ "Account name" : "アカウント名", "Server side authentication failed!" : "サーバーサイドの認証に失敗しました!", "Please contact your administrator." : "管理者にお問い合わせください。", - "Temporary error" : "一時的なエラー", - "Please try again." : "もう一度お試しください。", "An internal error occurred." : "内部エラーが発生しました。", "Please try again or contact your administrator." : "もう一度やり直してみるか、管理者にお問い合わせください。", "Password" : "パスワード", "Log in with a device" : "デバイスを使ってログインする", "Login or email" : "ログイン名またはEメール", "Your account is not setup for passwordless login." : "あなたのアカウントはパスワードなしでログインできるように設定されていません。", - "Browser not supported" : "サポートされていないブラウザーです", - "Passwordless authentication is not supported in your browser." : "お使いのブラウザーはパスワードレス認証に対応していません。", "Your connection is not secure" : "この接続は安全ではありません", "Passwordless authentication is only available over a secure connection." : "パスワードレス認証は、セキュアな接続でのみ利用可能です。", + "Browser not supported" : "サポートされていないブラウザーです", + "Passwordless authentication is not supported in your browser." : "お使いのブラウザーはパスワードレス認証に対応していません。", "Reset password" : "パスワードをリセット", + "Back to login" : "ログインに戻る", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "このアカウントが存在する場合、パスワードリセットメッセージがメールアドレスに送信されています。もしメッセージが届かない場合は、メールアドレスやログイン名を確認するか、迷惑メールフォルダをチェックするか、もしくは管理者にお問い合わせください。", "Couldn't send reset email. Please contact your administrator." : "リセットメールを送信できませんでした。管理者に問い合わせてください。", "Password cannot be changed. Please contact your administrator." : "パスワードは変更できません。管理者に問い合わせてください。", - "Back to login" : "ログインに戻る", "New password" : "新しいパスワードを入力", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "ファイルが暗号化されます。パスワードがリセットされた後は、データを元に戻すことはできません。対処方法がわからない場合は、続行する前に管理者に問い合わせてください。本当に続行しますか?", "I know what I'm doing" : "どういう操作をしているか理解しています", diff --git a/core/l10n/ka.js b/core/l10n/ka.js index 91cfe177527..55f0f9b6fc4 100644 --- a/core/l10n/ka.js +++ b/core/l10n/ka.js @@ -127,21 +127,19 @@ OC.L10N.register( "Account name or email" : "Account name or email", "Server side authentication failed!" : "Server side authentication failed!", "Please contact your administrator." : "Please contact your administrator.", - "Temporary error" : "Temporary error", - "Please try again." : "Please try again.", "An internal error occurred." : "An internal error occurred.", "Please try again or contact your administrator." : "Please try again or contact your administrator.", "Password" : "პაროლი", "Log in with a device" : "Log in with a device", "Your account is not setup for passwordless login." : "Your account is not setup for passwordless login.", - "Browser not supported" : "Browser not supported", - "Passwordless authentication is not supported in your browser." : "Passwordless authentication is not supported in your browser.", "Your connection is not secure" : "Your connection is not secure", "Passwordless authentication is only available over a secure connection." : "Passwordless authentication is only available over a secure connection.", + "Browser not supported" : "Browser not supported", + "Passwordless authentication is not supported in your browser." : "Passwordless authentication is not supported in your browser.", "Reset password" : "Reset password", + "Back to login" : "Back to login", "Couldn't send reset email. Please contact your administrator." : "Couldn't send reset email. Please contact your administrator.", "Password cannot be changed. Please contact your administrator." : "Password cannot be changed. Please contact your administrator.", - "Back to login" : "Back to login", "New password" : "New password", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?", "I know what I'm doing" : "I know what I'm doing", diff --git a/core/l10n/ka.json b/core/l10n/ka.json index f1c2d25502d..69e36026c06 100644 --- a/core/l10n/ka.json +++ b/core/l10n/ka.json @@ -125,21 +125,19 @@ "Account name or email" : "Account name or email", "Server side authentication failed!" : "Server side authentication failed!", "Please contact your administrator." : "Please contact your administrator.", - "Temporary error" : "Temporary error", - "Please try again." : "Please try again.", "An internal error occurred." : "An internal error occurred.", "Please try again or contact your administrator." : "Please try again or contact your administrator.", "Password" : "პაროლი", "Log in with a device" : "Log in with a device", "Your account is not setup for passwordless login." : "Your account is not setup for passwordless login.", - "Browser not supported" : "Browser not supported", - "Passwordless authentication is not supported in your browser." : "Passwordless authentication is not supported in your browser.", "Your connection is not secure" : "Your connection is not secure", "Passwordless authentication is only available over a secure connection." : "Passwordless authentication is only available over a secure connection.", + "Browser not supported" : "Browser not supported", + "Passwordless authentication is not supported in your browser." : "Passwordless authentication is not supported in your browser.", "Reset password" : "Reset password", + "Back to login" : "Back to login", "Couldn't send reset email. Please contact your administrator." : "Couldn't send reset email. Please contact your administrator.", "Password cannot be changed. Please contact your administrator." : "Password cannot be changed. Please contact your administrator.", - "Back to login" : "Back to login", "New password" : "New password", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?", "I know what I'm doing" : "I know what I'm doing", diff --git a/core/l10n/ko.js b/core/l10n/ko.js index 6f72cfdfc9a..936086fcf14 100644 --- a/core/l10n/ko.js +++ b/core/l10n/ko.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "계정 아이디", "Server side authentication failed!" : "서버 인증 실패!", "Please contact your administrator." : "관리자에게 문의하십시오.", - "Temporary error" : "임시 오류", - "Please try again." : "다시 시도해 보세요.", "An internal error occurred." : "내부 오류가 발생했습니다.", "Please try again or contact your administrator." : "다시 시도하거나 관리자에게 연락하십시오.", "Password" : "암호", "Log in with a device" : "기기로 로그인", "Login or email" : "로그인 또는 이메일", "Your account is not setup for passwordless login." : "당신의 계정은 암호 없이 로그인하도록 설정되지 않았습니다.", - "Browser not supported" : "브라우저를 지원하지 않습니다.", - "Passwordless authentication is not supported in your browser." : "당신의 브라우저에서 암호 없는 인증을 지원하지 않습니다.", "Your connection is not secure" : "당신의 연결이 안전하지 않습니다.", "Passwordless authentication is only available over a secure connection." : "암호 없는 인증은 보안 연결에서만 사용할 수 있습니다.", + "Browser not supported" : "브라우저를 지원하지 않습니다.", + "Passwordless authentication is not supported in your browser." : "당신의 브라우저에서 암호 없는 인증을 지원하지 않습니다.", "Reset password" : "암호 재설정", + "Back to login" : "로그인으로 돌아가기", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "계정이 존재한다면, 암호 초기화 메시지가 해당 계정의 이메일 주소로 전송됩니다. 만일 메일을 수신하지 못했다면, 이메일 주소 및 계정 이름을 확인하고 스팸 메일 폴더를 확인하십시오. 또는, 가까운 관리자에게 도움을 요청하십시오.", "Couldn't send reset email. Please contact your administrator." : "재설정 메일을 보낼 수 없습니다. 관리자에게 문의하십시오.", "Password cannot be changed. Please contact your administrator." : "암호를 변경할 수 없습니다. 관리자에게 문의하십시오.", - "Back to login" : "로그인으로 돌아가기", "New password" : "새 암호", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "내 파일이 암호화되어 있습니다. 암호를 초기화하면 데이터를 복구할 수 없습니다.<br />무엇을 해야 할 지 잘 모르겠으면 시스템 관리자에게 연락하십시오.<br />그래도 계속 진행하시겠습니까?", "I know what I'm doing" : "지금 하려는 것을 알고 있습니다", diff --git a/core/l10n/ko.json b/core/l10n/ko.json index 8b8058a2ebf..3876870a26e 100644 --- a/core/l10n/ko.json +++ b/core/l10n/ko.json @@ -144,23 +144,21 @@ "Account name" : "계정 아이디", "Server side authentication failed!" : "서버 인증 실패!", "Please contact your administrator." : "관리자에게 문의하십시오.", - "Temporary error" : "임시 오류", - "Please try again." : "다시 시도해 보세요.", "An internal error occurred." : "내부 오류가 발생했습니다.", "Please try again or contact your administrator." : "다시 시도하거나 관리자에게 연락하십시오.", "Password" : "암호", "Log in with a device" : "기기로 로그인", "Login or email" : "로그인 또는 이메일", "Your account is not setup for passwordless login." : "당신의 계정은 암호 없이 로그인하도록 설정되지 않았습니다.", - "Browser not supported" : "브라우저를 지원하지 않습니다.", - "Passwordless authentication is not supported in your browser." : "당신의 브라우저에서 암호 없는 인증을 지원하지 않습니다.", "Your connection is not secure" : "당신의 연결이 안전하지 않습니다.", "Passwordless authentication is only available over a secure connection." : "암호 없는 인증은 보안 연결에서만 사용할 수 있습니다.", + "Browser not supported" : "브라우저를 지원하지 않습니다.", + "Passwordless authentication is not supported in your browser." : "당신의 브라우저에서 암호 없는 인증을 지원하지 않습니다.", "Reset password" : "암호 재설정", + "Back to login" : "로그인으로 돌아가기", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "계정이 존재한다면, 암호 초기화 메시지가 해당 계정의 이메일 주소로 전송됩니다. 만일 메일을 수신하지 못했다면, 이메일 주소 및 계정 이름을 확인하고 스팸 메일 폴더를 확인하십시오. 또는, 가까운 관리자에게 도움을 요청하십시오.", "Couldn't send reset email. Please contact your administrator." : "재설정 메일을 보낼 수 없습니다. 관리자에게 문의하십시오.", "Password cannot be changed. Please contact your administrator." : "암호를 변경할 수 없습니다. 관리자에게 문의하십시오.", - "Back to login" : "로그인으로 돌아가기", "New password" : "새 암호", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "내 파일이 암호화되어 있습니다. 암호를 초기화하면 데이터를 복구할 수 없습니다.<br />무엇을 해야 할 지 잘 모르겠으면 시스템 관리자에게 연락하십시오.<br />그래도 계속 진행하시겠습니까?", "I know what I'm doing" : "지금 하려는 것을 알고 있습니다", diff --git a/core/l10n/lo.js b/core/l10n/lo.js index 89c76cc5992..f95f91f8edb 100644 --- a/core/l10n/lo.js +++ b/core/l10n/lo.js @@ -82,11 +82,11 @@ OC.L10N.register( "Password" : "ລະຫັດຜ່ານ", "Log in with a device" : "ເຂົ້າສູ່ລະບົບດ້ວຍອຸປະກອນ", "Your account is not setup for passwordless login." : "ບັນຊີຂອງທ່ານບໍ່ໄດ້ຕັ້ງຄ່າສໍາລັບການເຂົ້າລະຫັດຜ່ານ.", - "Passwordless authentication is not supported in your browser." : "ການຢັ້ງຢືນແບບບໍ່ມີລະຫັດຜ່ານບໍ່ໄດ້ຮັບການສະຫນັບສະຫນູນໃນເວັບໄຊຂອງທ່ານ.", "Passwordless authentication is only available over a secure connection." : "ການຢັ້ງຢືນແບບບໍ່ມີລະຫັດຜ່ານແມ່ນມີພຽງແຕ່ການເຊື່ອມຕໍ່ທີ່ປອດໄພເທົ່ານັ້ນ.", + "Passwordless authentication is not supported in your browser." : "ການຢັ້ງຢືນແບບບໍ່ມີລະຫັດຜ່ານບໍ່ໄດ້ຮັບການສະຫນັບສະຫນູນໃນເວັບໄຊຂອງທ່ານ.", "Reset password" : "ຕັ້ງລະຫັດຄືນໃຫມ່", - "Couldn't send reset email. Please contact your administrator." : "ບໍ່ສາມາດຕັ້ງຄ່າສົ່ງອີເມວຄືນ ໄດ້. ກະລຸນາຕິດຕໍ່ຜູ້ເບິ່ງລະບົບຂອງທ່ານ.", "Back to login" : "ກັບຄືນເຂົ້າສູ່ລະບົບ", + "Couldn't send reset email. Please contact your administrator." : "ບໍ່ສາມາດຕັ້ງຄ່າສົ່ງອີເມວຄືນ ໄດ້. ກະລຸນາຕິດຕໍ່ຜູ້ເບິ່ງລະບົບຂອງທ່ານ.", "New password" : "ລະຫັດຜ່ານໃຫມ່", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "ເຂົ້າລະຫັດຟາຍຂອງທ່ານ . ຈະບໍ່ໄດ້ຮັບຂໍ້ມູນຂອງທ່ານພາຍຫຼັງ ທີ່ລະຫັດຜ່ານຂອງທ່ານ ໄດ້ຮັບການຕັ້ງຄ່າໃຫມ່ . ຖ້າທ່ານບໍ່ແນ່ໃຈ, ກະລຸນາຕິດຕໍ່ຜູ້ເບິ່ງລະບົບຂອງທ່ານ ກ່ອນທີ່ທ່ານຈະສືບຕໍ່. ທ່ານຕ້ອງການທີ່ຈະສືບຕໍ່ແທ້ໆບໍ?", "I know what I'm doing" : "ຂ້ອຍຮູ້ວ່າຂ້ອຍກຳລັງເຮັດຫຍັງຢູ່", diff --git a/core/l10n/lo.json b/core/l10n/lo.json index fd5aeb2af51..8716c655015 100644 --- a/core/l10n/lo.json +++ b/core/l10n/lo.json @@ -80,11 +80,11 @@ "Password" : "ລະຫັດຜ່ານ", "Log in with a device" : "ເຂົ້າສູ່ລະບົບດ້ວຍອຸປະກອນ", "Your account is not setup for passwordless login." : "ບັນຊີຂອງທ່ານບໍ່ໄດ້ຕັ້ງຄ່າສໍາລັບການເຂົ້າລະຫັດຜ່ານ.", - "Passwordless authentication is not supported in your browser." : "ການຢັ້ງຢືນແບບບໍ່ມີລະຫັດຜ່ານບໍ່ໄດ້ຮັບການສະຫນັບສະຫນູນໃນເວັບໄຊຂອງທ່ານ.", "Passwordless authentication is only available over a secure connection." : "ການຢັ້ງຢືນແບບບໍ່ມີລະຫັດຜ່ານແມ່ນມີພຽງແຕ່ການເຊື່ອມຕໍ່ທີ່ປອດໄພເທົ່ານັ້ນ.", + "Passwordless authentication is not supported in your browser." : "ການຢັ້ງຢືນແບບບໍ່ມີລະຫັດຜ່ານບໍ່ໄດ້ຮັບການສະຫນັບສະຫນູນໃນເວັບໄຊຂອງທ່ານ.", "Reset password" : "ຕັ້ງລະຫັດຄືນໃຫມ່", - "Couldn't send reset email. Please contact your administrator." : "ບໍ່ສາມາດຕັ້ງຄ່າສົ່ງອີເມວຄືນ ໄດ້. ກະລຸນາຕິດຕໍ່ຜູ້ເບິ່ງລະບົບຂອງທ່ານ.", "Back to login" : "ກັບຄືນເຂົ້າສູ່ລະບົບ", + "Couldn't send reset email. Please contact your administrator." : "ບໍ່ສາມາດຕັ້ງຄ່າສົ່ງອີເມວຄືນ ໄດ້. ກະລຸນາຕິດຕໍ່ຜູ້ເບິ່ງລະບົບຂອງທ່ານ.", "New password" : "ລະຫັດຜ່ານໃຫມ່", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "ເຂົ້າລະຫັດຟາຍຂອງທ່ານ . ຈະບໍ່ໄດ້ຮັບຂໍ້ມູນຂອງທ່ານພາຍຫຼັງ ທີ່ລະຫັດຜ່ານຂອງທ່ານ ໄດ້ຮັບການຕັ້ງຄ່າໃຫມ່ . ຖ້າທ່ານບໍ່ແນ່ໃຈ, ກະລຸນາຕິດຕໍ່ຜູ້ເບິ່ງລະບົບຂອງທ່ານ ກ່ອນທີ່ທ່ານຈະສືບຕໍ່. ທ່ານຕ້ອງການທີ່ຈະສືບຕໍ່ແທ້ໆບໍ?", "I know what I'm doing" : "ຂ້ອຍຮູ້ວ່າຂ້ອຍກຳລັງເຮັດຫຍັງຢູ່", diff --git a/core/l10n/lt_LT.js b/core/l10n/lt_LT.js index 4dd04ef089a..c90f4ea0c6e 100644 --- a/core/l10n/lt_LT.js +++ b/core/l10n/lt_LT.js @@ -115,21 +115,19 @@ OC.L10N.register( "Account name" : "Paskyros pavadinimas", "Server side authentication failed!" : "Autentikacija serveryje nepavyko!", "Please contact your administrator." : "Susisiekite su savo administratoriumi.", - "Temporary error" : "Laikina klaida", - "Please try again." : "Bandykite dar kartą.", "An internal error occurred." : "Įvyko vidinė klaida.", "Please try again or contact your administrator." : "Pabandykite dar kartą arba susisiekite su savo administratoriumi.", "Password" : "Slaptažodis", "Log in with a device" : "Prisijungti naudojant įrenginį", "Login or email" : "Prisijungimas ar el. paštas", "Your account is not setup for passwordless login." : "Jūsų paskyra nėra nustatyta prisijungimui be slaptažodžio.", - "Browser not supported" : "Naršyklė nepalaikoma", - "Passwordless authentication is not supported in your browser." : "Tapatybės nustatymas be slaptažodžio nėra palaikomas jūsų naršyklėje.", "Your connection is not secure" : "Jūsų ryšys nėra saugus", "Passwordless authentication is only available over a secure connection." : "Tapatybės nustatymas be slaptažodžio yra prieinamas tik per saugų ryšį.", + "Browser not supported" : "Naršyklė nepalaikoma", + "Passwordless authentication is not supported in your browser." : "Tapatybės nustatymas be slaptažodžio nėra palaikomas jūsų naršyklėje.", "Reset password" : "Atstatyti slaptažodį", - "Couldn't send reset email. Please contact your administrator." : "Nepavyko išsiųsti atstatymo el. laiško. Susisiekite su savo administratoriumi.", "Back to login" : "Grįžti prie prisijungimo", + "Couldn't send reset email. Please contact your administrator." : "Nepavyko išsiųsti atstatymo el. laiško. Susisiekite su savo administratoriumi.", "New password" : "Naujas slaptažodis", "I know what I'm doing" : "Aš žinau ką darau", "Schedule work & meetings, synced with all your devices." : "Planuokite su visais jūsų įrenginiais sinchronizuotus darbus ir susitikimus.", diff --git a/core/l10n/lt_LT.json b/core/l10n/lt_LT.json index 12bb1af139d..9878c35d69c 100644 --- a/core/l10n/lt_LT.json +++ b/core/l10n/lt_LT.json @@ -113,21 +113,19 @@ "Account name" : "Paskyros pavadinimas", "Server side authentication failed!" : "Autentikacija serveryje nepavyko!", "Please contact your administrator." : "Susisiekite su savo administratoriumi.", - "Temporary error" : "Laikina klaida", - "Please try again." : "Bandykite dar kartą.", "An internal error occurred." : "Įvyko vidinė klaida.", "Please try again or contact your administrator." : "Pabandykite dar kartą arba susisiekite su savo administratoriumi.", "Password" : "Slaptažodis", "Log in with a device" : "Prisijungti naudojant įrenginį", "Login or email" : "Prisijungimas ar el. paštas", "Your account is not setup for passwordless login." : "Jūsų paskyra nėra nustatyta prisijungimui be slaptažodžio.", - "Browser not supported" : "Naršyklė nepalaikoma", - "Passwordless authentication is not supported in your browser." : "Tapatybės nustatymas be slaptažodžio nėra palaikomas jūsų naršyklėje.", "Your connection is not secure" : "Jūsų ryšys nėra saugus", "Passwordless authentication is only available over a secure connection." : "Tapatybės nustatymas be slaptažodžio yra prieinamas tik per saugų ryšį.", + "Browser not supported" : "Naršyklė nepalaikoma", + "Passwordless authentication is not supported in your browser." : "Tapatybės nustatymas be slaptažodžio nėra palaikomas jūsų naršyklėje.", "Reset password" : "Atstatyti slaptažodį", - "Couldn't send reset email. Please contact your administrator." : "Nepavyko išsiųsti atstatymo el. laiško. Susisiekite su savo administratoriumi.", "Back to login" : "Grįžti prie prisijungimo", + "Couldn't send reset email. Please contact your administrator." : "Nepavyko išsiųsti atstatymo el. laiško. Susisiekite su savo administratoriumi.", "New password" : "Naujas slaptažodis", "I know what I'm doing" : "Aš žinau ką darau", "Schedule work & meetings, synced with all your devices." : "Planuokite su visais jūsų įrenginiais sinchronizuotus darbus ir susitikimus.", diff --git a/core/l10n/lv.js b/core/l10n/lv.js index 3db7942763b..2b0b01ba2b2 100644 --- a/core/l10n/lv.js +++ b/core/l10n/lv.js @@ -2,7 +2,7 @@ OC.L10N.register( "core", { "Please select a file." : "Lūdzu, izvēlieties failu.", - "File is too big" : "Fails ir pārāk liels.", + "File is too big" : "Datne ir pārāk liela.", "The selected file is not an image." : "Atlasītais fails nav attēls.", "The selected file cannot be read." : "Atlasīto failu nevar nolasīt.", "The file was uploaded" : "Fails tika augšupielādēts.", @@ -11,8 +11,8 @@ OC.L10N.register( "The file was only partially uploaded" : "Fails tika augšupielādēt tikai daļēji", "No file was uploaded" : "Neviens fails netika augšupielādēts", "Missing a temporary folder" : "Trūkst pagaidu mapes", - "Could not write file to disk" : "Nevarēja ierakstīt failu diskā", - "A PHP extension stopped the file upload" : "PHP paplašinājums apturēja faila augšupielādi", + "Could not write file to disk" : "Datni nevarēja ierakstīt diskā", + "A PHP extension stopped the file upload" : "PHP paplašinājums apturēja datnes augšupielādi", "Invalid file provided" : "Norādīt nederīgs fails", "No image or file provided" : "Nav norādīts attēls vai fails", "Unknown filetype" : "Nezināms faila veids", @@ -22,18 +22,18 @@ OC.L10N.register( "No crop data provided" : "Nav norādīti apgriešanas dati", "No valid crop data provided" : "Nav norādīti derīgi apgriešanas dati", "Crop is not square" : "Griezums nav kvadrāts", - "State token does not match" : "Neatbilstošs stāvokļa talons", + "State token does not match" : "Neatbilst stāvokļa tekstvienība", "Invalid app password" : "Nederīga lietotnes parole", "Could not complete login" : "Nevarēja pabeigt pieslēgšanos", - "State token missing" : "Trūkst stāvokļa talona", - "Your login token is invalid or has expired" : "Pieteikšanās talons nav derīgs vai tas ir izbeidzies", + "State token missing" : "Trūkst stāvokļa tekstvienības", + "Your login token is invalid or has expired" : "Pieteikšanās pilnvara nav derīga vai ir beigusies", "This community release of Nextcloud is unsupported and push notifications are limited." : "Šī Nextcloud kopienas versija nav atbalstīta un push paziņojumi ir ierobežoti.", "Login" : "Autorizēties", "Unsupported email length (>255)" : "Neatbalstāms e-pasta garums (>255)", "Password reset is disabled" : "Paroles atiestatīšana ir atspējota", - "Could not reset password because the token is expired" : "Nevarēja atiestatīt paroli tāpēc, ka talons ir izbeidzies", - "Could not reset password because the token is invalid" : "Nevarēja atiestatīt paroli tāpēc, ka talons ir nederīgs", - "Password is too long. Maximum allowed length is 469 characters." : "Parole ir pārāk gara. Maksimālais atļautais garums ir 469 rakstzīmes.", + "Could not reset password because the token is expired" : "Nevarēja atiestatīt paroli, jo ir beidzies tekstvienības derīgums", + "Could not reset password because the token is invalid" : "Nevarēja atiestatīt paroli, jo tekstvienība ir nederīga", + "Password is too long. Maximum allowed length is 469 characters." : "Parole ir pārāk gara. Lielākais atļautais garums ir 469 rakstzīmes.", "%s password reset" : "%s paroles maiņa", "Password reset" : "Parole atiestatīta", "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Jānospiež zemāk esošā poga, lai atiestatītu savu paroli. Šis e-pasta ziņojums nav jāņem vērā, ja paroles atiestatīšana netika pieprasīta.", @@ -127,22 +127,20 @@ OC.L10N.register( "Account name" : "Konta nosaukums", "Server side authentication failed!" : "Servera autentifikācija neizdevās!", "Please contact your administrator." : "Lūgums sazināties ar savu pārvaldītāju.", - "Temporary error" : "Īslaicīga kļūda", - "Please try again." : "Lūgums mēģināt vēlreiz.", "An internal error occurred." : "Radās iekšēja kļūda.", "Please try again or contact your administrator." : "Lūgums mēģināt vēlreiz vai sazināties ar savu pārvaldītāju.", "Password" : "Parole", "Log in with a device" : "Pieteikties ar ierīci", "Login or email" : "Lietotājvārds vai e-pasta adrese", "Your account is not setup for passwordless login." : "Konts nav iestatīts, lai pieteiktos bez paroles.", - "Browser not supported" : "Pārlūkprogramma netiek atbalstīta", - "Passwordless authentication is not supported in your browser." : "Pārlūkprogrammā netiek nodrošināta autentifikācija bez paroles", "Your connection is not secure" : "Jūsu savienojums nav drošs", "Passwordless authentication is only available over a secure connection." : "Autentifikācija bez paroles ir pieejama tikai ar drošu savienojumu.", + "Browser not supported" : "Pārlūkprogramma netiek atbalstīta", + "Passwordless authentication is not supported in your browser." : "Pārlūkprogrammā netiek nodrošināta autentifikācija bez paroles", "Reset password" : "Atiestatīt paroli", + "Back to login" : "Atpakaļ uz pieteikšanos", "Couldn't send reset email. Please contact your administrator." : "Nevarēja nosūtīt atiestatīšanas e-pasta ziņojumu. Lūgums sazināties ar savu pārvaldītāju.", "Password cannot be changed. Please contact your administrator." : "Parole nav nomaināma. Lūgums sazināties ar savu pārvaldītāju.", - "Back to login" : "Atpakaļ uz pieteikšanos", "New password" : "Jauna parole", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Tavas datnes ir šifrētas. Pēc paroles atiestatīšanas nebūs iespējams atgūt datus. Ja nav zināms, kā rīkoties, lūgums pirms turpināšanas sazināties ar pārvaldītāju. Vai tiešām turpināt?", "I know what I'm doing" : "Es zinu ko es daru", diff --git a/core/l10n/lv.json b/core/l10n/lv.json index 0063065b6e3..1f6ced43912 100644 --- a/core/l10n/lv.json +++ b/core/l10n/lv.json @@ -1,6 +1,6 @@ { "translations": { "Please select a file." : "Lūdzu, izvēlieties failu.", - "File is too big" : "Fails ir pārāk liels.", + "File is too big" : "Datne ir pārāk liela.", "The selected file is not an image." : "Atlasītais fails nav attēls.", "The selected file cannot be read." : "Atlasīto failu nevar nolasīt.", "The file was uploaded" : "Fails tika augšupielādēts.", @@ -9,8 +9,8 @@ "The file was only partially uploaded" : "Fails tika augšupielādēt tikai daļēji", "No file was uploaded" : "Neviens fails netika augšupielādēts", "Missing a temporary folder" : "Trūkst pagaidu mapes", - "Could not write file to disk" : "Nevarēja ierakstīt failu diskā", - "A PHP extension stopped the file upload" : "PHP paplašinājums apturēja faila augšupielādi", + "Could not write file to disk" : "Datni nevarēja ierakstīt diskā", + "A PHP extension stopped the file upload" : "PHP paplašinājums apturēja datnes augšupielādi", "Invalid file provided" : "Norādīt nederīgs fails", "No image or file provided" : "Nav norādīts attēls vai fails", "Unknown filetype" : "Nezināms faila veids", @@ -20,18 +20,18 @@ "No crop data provided" : "Nav norādīti apgriešanas dati", "No valid crop data provided" : "Nav norādīti derīgi apgriešanas dati", "Crop is not square" : "Griezums nav kvadrāts", - "State token does not match" : "Neatbilstošs stāvokļa talons", + "State token does not match" : "Neatbilst stāvokļa tekstvienība", "Invalid app password" : "Nederīga lietotnes parole", "Could not complete login" : "Nevarēja pabeigt pieslēgšanos", - "State token missing" : "Trūkst stāvokļa talona", - "Your login token is invalid or has expired" : "Pieteikšanās talons nav derīgs vai tas ir izbeidzies", + "State token missing" : "Trūkst stāvokļa tekstvienības", + "Your login token is invalid or has expired" : "Pieteikšanās pilnvara nav derīga vai ir beigusies", "This community release of Nextcloud is unsupported and push notifications are limited." : "Šī Nextcloud kopienas versija nav atbalstīta un push paziņojumi ir ierobežoti.", "Login" : "Autorizēties", "Unsupported email length (>255)" : "Neatbalstāms e-pasta garums (>255)", "Password reset is disabled" : "Paroles atiestatīšana ir atspējota", - "Could not reset password because the token is expired" : "Nevarēja atiestatīt paroli tāpēc, ka talons ir izbeidzies", - "Could not reset password because the token is invalid" : "Nevarēja atiestatīt paroli tāpēc, ka talons ir nederīgs", - "Password is too long. Maximum allowed length is 469 characters." : "Parole ir pārāk gara. Maksimālais atļautais garums ir 469 rakstzīmes.", + "Could not reset password because the token is expired" : "Nevarēja atiestatīt paroli, jo ir beidzies tekstvienības derīgums", + "Could not reset password because the token is invalid" : "Nevarēja atiestatīt paroli, jo tekstvienība ir nederīga", + "Password is too long. Maximum allowed length is 469 characters." : "Parole ir pārāk gara. Lielākais atļautais garums ir 469 rakstzīmes.", "%s password reset" : "%s paroles maiņa", "Password reset" : "Parole atiestatīta", "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Jānospiež zemāk esošā poga, lai atiestatītu savu paroli. Šis e-pasta ziņojums nav jāņem vērā, ja paroles atiestatīšana netika pieprasīta.", @@ -125,22 +125,20 @@ "Account name" : "Konta nosaukums", "Server side authentication failed!" : "Servera autentifikācija neizdevās!", "Please contact your administrator." : "Lūgums sazināties ar savu pārvaldītāju.", - "Temporary error" : "Īslaicīga kļūda", - "Please try again." : "Lūgums mēģināt vēlreiz.", "An internal error occurred." : "Radās iekšēja kļūda.", "Please try again or contact your administrator." : "Lūgums mēģināt vēlreiz vai sazināties ar savu pārvaldītāju.", "Password" : "Parole", "Log in with a device" : "Pieteikties ar ierīci", "Login or email" : "Lietotājvārds vai e-pasta adrese", "Your account is not setup for passwordless login." : "Konts nav iestatīts, lai pieteiktos bez paroles.", - "Browser not supported" : "Pārlūkprogramma netiek atbalstīta", - "Passwordless authentication is not supported in your browser." : "Pārlūkprogrammā netiek nodrošināta autentifikācija bez paroles", "Your connection is not secure" : "Jūsu savienojums nav drošs", "Passwordless authentication is only available over a secure connection." : "Autentifikācija bez paroles ir pieejama tikai ar drošu savienojumu.", + "Browser not supported" : "Pārlūkprogramma netiek atbalstīta", + "Passwordless authentication is not supported in your browser." : "Pārlūkprogrammā netiek nodrošināta autentifikācija bez paroles", "Reset password" : "Atiestatīt paroli", + "Back to login" : "Atpakaļ uz pieteikšanos", "Couldn't send reset email. Please contact your administrator." : "Nevarēja nosūtīt atiestatīšanas e-pasta ziņojumu. Lūgums sazināties ar savu pārvaldītāju.", "Password cannot be changed. Please contact your administrator." : "Parole nav nomaināma. Lūgums sazināties ar savu pārvaldītāju.", - "Back to login" : "Atpakaļ uz pieteikšanos", "New password" : "Jauna parole", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Tavas datnes ir šifrētas. Pēc paroles atiestatīšanas nebūs iespējams atgūt datus. Ja nav zināms, kā rīkoties, lūgums pirms turpināšanas sazināties ar pārvaldītāju. Vai tiešām turpināt?", "I know what I'm doing" : "Es zinu ko es daru", diff --git a/core/l10n/mk.js b/core/l10n/mk.js index db442bba58e..e98cc97c596 100644 --- a/core/l10n/mk.js +++ b/core/l10n/mk.js @@ -117,22 +117,20 @@ OC.L10N.register( "Account name or email" : "Корисничко име или е-пошта", "Server side authentication failed!" : "Автентификацијата на серверската страна е неуспешна!", "Please contact your administrator." : "Ве молиме контактирајте го вашиот администратор.", - "Temporary error" : "Привремена грешка", - "Please try again." : "Ве молиме обидете се повторно.", "An internal error occurred." : "Се случи внатрешна грешка.", "Please try again or contact your administrator." : "Ве молиме обидете се повторно или контактирајте го вашиот администратор.", "Password" : "Лозинка", "Log in with a device" : "Најавете се со уред", "Login or email" : "Корисничко име или лозинка", "Your account is not setup for passwordless login." : "Вашата сметка не е поставена за најавување без лозинка.", - "Browser not supported" : "Вашиот прелистувач не е поддржан", - "Passwordless authentication is not supported in your browser." : "Вашиот прелистувач не поддржува автентикација без лозинка.", "Your connection is not secure" : "Конекцијата не е безбедна", "Passwordless authentication is only available over a secure connection." : "Автентикација без лозинка е достапно доколку користите безбедна конекција.", + "Browser not supported" : "Вашиот прелистувач не е поддржан", + "Passwordless authentication is not supported in your browser." : "Вашиот прелистувач не поддржува автентикација без лозинка.", "Reset password" : "Ресетирај лозинка", + "Back to login" : "Врати се на страната за најавување", "Couldn't send reset email. Please contact your administrator." : "Не можам да истпратам порака за ресетирање. Ве молам контактирајте го вашиот администратор.", "Password cannot be changed. Please contact your administrator." : "Лозинката не може да се промени. Ве молам контактирајте го вашиот администратор.", - "Back to login" : "Врати се на страната за најавување", "New password" : "Нова лозинка", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Вашите податоци се шифрирани. Не постои можност за враќање на податоците одкако вашата лозинка ќе биде ресетирана. Доколку незнаете што да правите, контактирајте го вашиот администратор пред да продолжите понатаму. Дали сте сигурни дека сакате да продолжите?", "I know what I'm doing" : "Знам што правам", diff --git a/core/l10n/mk.json b/core/l10n/mk.json index 78a3f08e5b5..ed1d24e741f 100644 --- a/core/l10n/mk.json +++ b/core/l10n/mk.json @@ -115,22 +115,20 @@ "Account name or email" : "Корисничко име или е-пошта", "Server side authentication failed!" : "Автентификацијата на серверската страна е неуспешна!", "Please contact your administrator." : "Ве молиме контактирајте го вашиот администратор.", - "Temporary error" : "Привремена грешка", - "Please try again." : "Ве молиме обидете се повторно.", "An internal error occurred." : "Се случи внатрешна грешка.", "Please try again or contact your administrator." : "Ве молиме обидете се повторно или контактирајте го вашиот администратор.", "Password" : "Лозинка", "Log in with a device" : "Најавете се со уред", "Login or email" : "Корисничко име или лозинка", "Your account is not setup for passwordless login." : "Вашата сметка не е поставена за најавување без лозинка.", - "Browser not supported" : "Вашиот прелистувач не е поддржан", - "Passwordless authentication is not supported in your browser." : "Вашиот прелистувач не поддржува автентикација без лозинка.", "Your connection is not secure" : "Конекцијата не е безбедна", "Passwordless authentication is only available over a secure connection." : "Автентикација без лозинка е достапно доколку користите безбедна конекција.", + "Browser not supported" : "Вашиот прелистувач не е поддржан", + "Passwordless authentication is not supported in your browser." : "Вашиот прелистувач не поддржува автентикација без лозинка.", "Reset password" : "Ресетирај лозинка", + "Back to login" : "Врати се на страната за најавување", "Couldn't send reset email. Please contact your administrator." : "Не можам да истпратам порака за ресетирање. Ве молам контактирајте го вашиот администратор.", "Password cannot be changed. Please contact your administrator." : "Лозинката не може да се промени. Ве молам контактирајте го вашиот администратор.", - "Back to login" : "Врати се на страната за најавување", "New password" : "Нова лозинка", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Вашите податоци се шифрирани. Не постои можност за враќање на податоците одкако вашата лозинка ќе биде ресетирана. Доколку незнаете што да правите, контактирајте го вашиот администратор пред да продолжите понатаму. Дали сте сигурни дека сакате да продолжите?", "I know what I'm doing" : "Знам што правам", diff --git a/core/l10n/nb.js b/core/l10n/nb.js index 102b86a956f..6193e669720 100644 --- a/core/l10n/nb.js +++ b/core/l10n/nb.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "Kontonavn", "Server side authentication failed!" : "Autentisering mislyktes på serveren!", "Please contact your administrator." : "Kontakt administratoren din.", - "Temporary error" : "Midlertidig feil", - "Please try again." : "Vennligst prøv på nytt.", "An internal error occurred." : "En intern feil oppsto", "Please try again or contact your administrator." : "Prøv igjen eller kontakt en administrator.", "Password" : "Passord", "Log in with a device" : "Logg inn med en enhet", "Login or email" : "Pålogging eller e-post", "Your account is not setup for passwordless login." : "Kontoen din er ikke satt opp med passordløs innlogging.", - "Browser not supported" : "Nettleseren din støttes ikke!", - "Passwordless authentication is not supported in your browser." : "Passordløs innlogging støttes ikke av nettleseren din.", "Your connection is not secure" : "Tilkoblingen din er ikke sikker", "Passwordless authentication is only available over a secure connection." : "Passordløs innlogging støttes kun over en sikker tilkobling.", + "Browser not supported" : "Nettleseren din støttes ikke!", + "Passwordless authentication is not supported in your browser." : "Passordløs innlogging støttes ikke av nettleseren din.", "Reset password" : "Tilbakestill passord", + "Back to login" : "Tilbake til innlogging", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Hvis denne kontoen finnes, er det sendt en melding om tilbakestilling av passord til e-postadressen. Hvis du ikke mottar den, bekreft e-postadressen din og / eller logg inn, sjekk spam / søppelpostmappene dine eller spør din lokale administrasjon om hjelp.", "Couldn't send reset email. Please contact your administrator." : "Klarte ikke å sende e-post for tilbakestilling. Kontakt administratoren.", "Password cannot be changed. Please contact your administrator." : "Passordet kan ikke endres. Kontakt administratoren din.", - "Back to login" : "Tilbake til innlogging", "New password" : "Nytt passord", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Dine filer er kryptert. Det finnes ingen måte å få dine data tilbake etter at passordet er nullstilt. Hvis du er usikker på hva du skal gjøre, vennligst kontakt din administrator før du fortsetter. Er du helt sikker på at du vil fortsette?", "I know what I'm doing" : "Jeg vet hva jeg gjør", diff --git a/core/l10n/nb.json b/core/l10n/nb.json index 02bc68e7316..acc1a8d0d66 100644 --- a/core/l10n/nb.json +++ b/core/l10n/nb.json @@ -144,23 +144,21 @@ "Account name" : "Kontonavn", "Server side authentication failed!" : "Autentisering mislyktes på serveren!", "Please contact your administrator." : "Kontakt administratoren din.", - "Temporary error" : "Midlertidig feil", - "Please try again." : "Vennligst prøv på nytt.", "An internal error occurred." : "En intern feil oppsto", "Please try again or contact your administrator." : "Prøv igjen eller kontakt en administrator.", "Password" : "Passord", "Log in with a device" : "Logg inn med en enhet", "Login or email" : "Pålogging eller e-post", "Your account is not setup for passwordless login." : "Kontoen din er ikke satt opp med passordløs innlogging.", - "Browser not supported" : "Nettleseren din støttes ikke!", - "Passwordless authentication is not supported in your browser." : "Passordløs innlogging støttes ikke av nettleseren din.", "Your connection is not secure" : "Tilkoblingen din er ikke sikker", "Passwordless authentication is only available over a secure connection." : "Passordløs innlogging støttes kun over en sikker tilkobling.", + "Browser not supported" : "Nettleseren din støttes ikke!", + "Passwordless authentication is not supported in your browser." : "Passordløs innlogging støttes ikke av nettleseren din.", "Reset password" : "Tilbakestill passord", + "Back to login" : "Tilbake til innlogging", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Hvis denne kontoen finnes, er det sendt en melding om tilbakestilling av passord til e-postadressen. Hvis du ikke mottar den, bekreft e-postadressen din og / eller logg inn, sjekk spam / søppelpostmappene dine eller spør din lokale administrasjon om hjelp.", "Couldn't send reset email. Please contact your administrator." : "Klarte ikke å sende e-post for tilbakestilling. Kontakt administratoren.", "Password cannot be changed. Please contact your administrator." : "Passordet kan ikke endres. Kontakt administratoren din.", - "Back to login" : "Tilbake til innlogging", "New password" : "Nytt passord", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Dine filer er kryptert. Det finnes ingen måte å få dine data tilbake etter at passordet er nullstilt. Hvis du er usikker på hva du skal gjøre, vennligst kontakt din administrator før du fortsetter. Er du helt sikker på at du vil fortsette?", "I know what I'm doing" : "Jeg vet hva jeg gjør", diff --git a/core/l10n/nl.js b/core/l10n/nl.js index dcdc7eb777a..7376797eaf9 100644 --- a/core/l10n/nl.js +++ b/core/l10n/nl.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "Accountnaam", "Server side authentication failed!" : "Authenticatie bij de server mislukt!", "Please contact your administrator." : "Neem contact op met je systeembeheerder.", - "Temporary error" : "Tijdelijke fout", - "Please try again." : "Gelieve opnieuw te proberen", "An internal error occurred." : "Er heeft zich een interne fout voorgedaan.", "Please try again or contact your administrator." : "Probeer het opnieuw of neem contact op met je beheerder.", "Password" : "Wachtwoord", "Log in with a device" : "Inloggen met een apparaat", "Login or email" : "Login of email", "Your account is not setup for passwordless login." : "Je account is niet ingesteld voor inloggen zonder wachtwoord.", - "Browser not supported" : "Browser niet ondersteund", - "Passwordless authentication is not supported in your browser." : "Inloggen zonder wachtwoord is niet ondersteund door je browser.", "Your connection is not secure" : "Je verbinding is niet veilig", "Passwordless authentication is only available over a secure connection." : "Inloggen zonder wachtwoord is alleen mogelijk over een beveiligde verbinding.", + "Browser not supported" : "Browser niet ondersteund", + "Passwordless authentication is not supported in your browser." : "Inloggen zonder wachtwoord is niet ondersteund door je browser.", "Reset password" : "Reset wachtwoord", + "Back to login" : "Terug naar inloggen", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Als dit account bestaat, werd er een wachtwoordherstel email naar het overeenkomstige email adres gestuurd. Krijg je geen mail? Controleer dan het e-mailadres en/of de login, check je spam folder of vraag hulp aan je beheerder.", "Couldn't send reset email. Please contact your administrator." : "Kon herstel email niet versturen. Neem contact op met je beheerder.", "Password cannot be changed. Please contact your administrator." : "Het wachtwoord kan niet worden gewijzigd. Neem contact op met je beheerder.", - "Back to login" : "Terug naar inloggen", "New password" : "Nieuw wachtwoord", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Je bestanden zijn versleuteld. Het is niet mogelijk om je gegevens terug te krijgen als je wachtwoord wordt gereset. Als je niet zeker weer wat je moet doen, neem dan contact op met je beheerder voordat je verdergaat. Wil je echt verder gaan?", "I know what I'm doing" : "Ik weet wat ik doe", diff --git a/core/l10n/nl.json b/core/l10n/nl.json index 12c82c31cf0..fb338e2d20c 100644 --- a/core/l10n/nl.json +++ b/core/l10n/nl.json @@ -144,23 +144,21 @@ "Account name" : "Accountnaam", "Server side authentication failed!" : "Authenticatie bij de server mislukt!", "Please contact your administrator." : "Neem contact op met je systeembeheerder.", - "Temporary error" : "Tijdelijke fout", - "Please try again." : "Gelieve opnieuw te proberen", "An internal error occurred." : "Er heeft zich een interne fout voorgedaan.", "Please try again or contact your administrator." : "Probeer het opnieuw of neem contact op met je beheerder.", "Password" : "Wachtwoord", "Log in with a device" : "Inloggen met een apparaat", "Login or email" : "Login of email", "Your account is not setup for passwordless login." : "Je account is niet ingesteld voor inloggen zonder wachtwoord.", - "Browser not supported" : "Browser niet ondersteund", - "Passwordless authentication is not supported in your browser." : "Inloggen zonder wachtwoord is niet ondersteund door je browser.", "Your connection is not secure" : "Je verbinding is niet veilig", "Passwordless authentication is only available over a secure connection." : "Inloggen zonder wachtwoord is alleen mogelijk over een beveiligde verbinding.", + "Browser not supported" : "Browser niet ondersteund", + "Passwordless authentication is not supported in your browser." : "Inloggen zonder wachtwoord is niet ondersteund door je browser.", "Reset password" : "Reset wachtwoord", + "Back to login" : "Terug naar inloggen", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Als dit account bestaat, werd er een wachtwoordherstel email naar het overeenkomstige email adres gestuurd. Krijg je geen mail? Controleer dan het e-mailadres en/of de login, check je spam folder of vraag hulp aan je beheerder.", "Couldn't send reset email. Please contact your administrator." : "Kon herstel email niet versturen. Neem contact op met je beheerder.", "Password cannot be changed. Please contact your administrator." : "Het wachtwoord kan niet worden gewijzigd. Neem contact op met je beheerder.", - "Back to login" : "Terug naar inloggen", "New password" : "Nieuw wachtwoord", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Je bestanden zijn versleuteld. Het is niet mogelijk om je gegevens terug te krijgen als je wachtwoord wordt gereset. Als je niet zeker weer wat je moet doen, neem dan contact op met je beheerder voordat je verdergaat. Wil je echt verder gaan?", "I know what I'm doing" : "Ik weet wat ik doe", diff --git a/core/l10n/oc.js b/core/l10n/oc.js index f1d8c09a0ba..8a580580372 100644 --- a/core/l10n/oc.js +++ b/core/l10n/oc.js @@ -98,14 +98,14 @@ OC.L10N.register( "Password" : "Senhal", "Log in with a device" : "Connexion amb un periferic", "Your account is not setup for passwordless login." : "Vòstre compte es pas parametrat per una autentificacion sens senhal.", - "Browser not supported" : "Navegador pas pres en carga", - "Passwordless authentication is not supported in your browser." : "L’autentificacion sens senhal es pas presa en cargar per vòstre navegador.", "Your connection is not secure" : "Vòstra connexion es pas segura", "Passwordless authentication is only available over a secure connection." : "L’autentificacion sens senhal es sonque disponibla via una connexion segura.", + "Browser not supported" : "Navegador pas pres en carga", + "Passwordless authentication is not supported in your browser." : "L’autentificacion sens senhal es pas presa en cargar per vòstre navegador.", "Reset password" : "Reïnicializar senhal", + "Back to login" : "Tornar a la connexion", "Couldn't send reset email. Please contact your administrator." : "Impossible de mandar lo corrièl de reïnicializacion. Contactatz vòstre administrator.", "Password cannot be changed. Please contact your administrator." : "Se pòt pas cambiar lo senhal. Mercés de contactar vòstre administrator.", - "Back to login" : "Tornar a la connexion", "New password" : "Senhal novèl", "I know what I'm doing" : "Sabi çò que fau", "Resetting password" : "Reïnicializacion de senhal", diff --git a/core/l10n/oc.json b/core/l10n/oc.json index 459425ae01e..224303ad010 100644 --- a/core/l10n/oc.json +++ b/core/l10n/oc.json @@ -96,14 +96,14 @@ "Password" : "Senhal", "Log in with a device" : "Connexion amb un periferic", "Your account is not setup for passwordless login." : "Vòstre compte es pas parametrat per una autentificacion sens senhal.", - "Browser not supported" : "Navegador pas pres en carga", - "Passwordless authentication is not supported in your browser." : "L’autentificacion sens senhal es pas presa en cargar per vòstre navegador.", "Your connection is not secure" : "Vòstra connexion es pas segura", "Passwordless authentication is only available over a secure connection." : "L’autentificacion sens senhal es sonque disponibla via una connexion segura.", + "Browser not supported" : "Navegador pas pres en carga", + "Passwordless authentication is not supported in your browser." : "L’autentificacion sens senhal es pas presa en cargar per vòstre navegador.", "Reset password" : "Reïnicializar senhal", + "Back to login" : "Tornar a la connexion", "Couldn't send reset email. Please contact your administrator." : "Impossible de mandar lo corrièl de reïnicializacion. Contactatz vòstre administrator.", "Password cannot be changed. Please contact your administrator." : "Se pòt pas cambiar lo senhal. Mercés de contactar vòstre administrator.", - "Back to login" : "Tornar a la connexion", "New password" : "Senhal novèl", "I know what I'm doing" : "Sabi çò que fau", "Resetting password" : "Reïnicializacion de senhal", diff --git a/core/l10n/pl.js b/core/l10n/pl.js index 3f26bd1e9cb..9a1dda7597c 100644 --- a/core/l10n/pl.js +++ b/core/l10n/pl.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "Nazwa konta", "Server side authentication failed!" : "Uwierzytelnianie po stronie serwera nie powiodło się!", "Please contact your administrator." : "Skontaktuj się z administratorem", - "Temporary error" : "Błąd tymczasowy", - "Please try again." : "Spróbuj ponownie.", "An internal error occurred." : "Wystąpił błąd wewnętrzny.", "Please try again or contact your administrator." : "Spróbuj ponownie lub skontaktuj się z administratorem.", "Password" : "Hasło", "Log in with a device" : "Zaloguj się za pomocą urządzenia", "Login or email" : "Nazwa logowania lub e-mail", "Your account is not setup for passwordless login." : "Twoje konto nie jest skonfigurowane do logowania bez hasła.", - "Browser not supported" : "Przeglądarka nie jest obsługiwana", - "Passwordless authentication is not supported in your browser." : "Uwierzytelnianie bez hasła nie jest obsługiwane w przeglądarce.", "Your connection is not secure" : "Twoje połączenie nie jest bezpieczne", "Passwordless authentication is only available over a secure connection." : "Uwierzytelnianie bez hasła jest dostępne tylko przez bezpieczne połączenie.", + "Browser not supported" : "Przeglądarka nie jest obsługiwana", + "Passwordless authentication is not supported in your browser." : "Uwierzytelnianie bez hasła nie jest obsługiwane w przeglądarce.", "Reset password" : "Zresetuj hasło", + "Back to login" : "Powrót do logowania", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Jeśli to konto istnieje, wiadomość dotycząca resetowania hasła została wysłana na jego adres e-mail. Jeśli go nie otrzymasz, zweryfikuj swój adres e-mail i/lub nazwę logowania, sprawdź katalogi ze spamem/śmieciami lub poproś o pomoc lokalną administrację.", "Couldn't send reset email. Please contact your administrator." : "Nie mogę wysłać e-maila resetującego hasło. Skontaktuj się z administratorem.", "Password cannot be changed. Please contact your administrator." : "Hasło nie może zostać zmienione. Skontaktuj się z administratorem.", - "Back to login" : "Powrót do logowania", "New password" : "Nowe hasło", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Twoje pliki są szyfrowane. Po zresetowaniu hasła nie będzie możliwości odzyskania danych. Jeśli nie masz pewności, co zrobić, skontaktuj się z administratorem przed kontynuowaniem. Czy na pewno chcesz kontynuować?", "I know what I'm doing" : "Wiem co robię", diff --git a/core/l10n/pl.json b/core/l10n/pl.json index a5a50210705..9c8061dbff4 100644 --- a/core/l10n/pl.json +++ b/core/l10n/pl.json @@ -144,23 +144,21 @@ "Account name" : "Nazwa konta", "Server side authentication failed!" : "Uwierzytelnianie po stronie serwera nie powiodło się!", "Please contact your administrator." : "Skontaktuj się z administratorem", - "Temporary error" : "Błąd tymczasowy", - "Please try again." : "Spróbuj ponownie.", "An internal error occurred." : "Wystąpił błąd wewnętrzny.", "Please try again or contact your administrator." : "Spróbuj ponownie lub skontaktuj się z administratorem.", "Password" : "Hasło", "Log in with a device" : "Zaloguj się za pomocą urządzenia", "Login or email" : "Nazwa logowania lub e-mail", "Your account is not setup for passwordless login." : "Twoje konto nie jest skonfigurowane do logowania bez hasła.", - "Browser not supported" : "Przeglądarka nie jest obsługiwana", - "Passwordless authentication is not supported in your browser." : "Uwierzytelnianie bez hasła nie jest obsługiwane w przeglądarce.", "Your connection is not secure" : "Twoje połączenie nie jest bezpieczne", "Passwordless authentication is only available over a secure connection." : "Uwierzytelnianie bez hasła jest dostępne tylko przez bezpieczne połączenie.", + "Browser not supported" : "Przeglądarka nie jest obsługiwana", + "Passwordless authentication is not supported in your browser." : "Uwierzytelnianie bez hasła nie jest obsługiwane w przeglądarce.", "Reset password" : "Zresetuj hasło", + "Back to login" : "Powrót do logowania", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Jeśli to konto istnieje, wiadomość dotycząca resetowania hasła została wysłana na jego adres e-mail. Jeśli go nie otrzymasz, zweryfikuj swój adres e-mail i/lub nazwę logowania, sprawdź katalogi ze spamem/śmieciami lub poproś o pomoc lokalną administrację.", "Couldn't send reset email. Please contact your administrator." : "Nie mogę wysłać e-maila resetującego hasło. Skontaktuj się z administratorem.", "Password cannot be changed. Please contact your administrator." : "Hasło nie może zostać zmienione. Skontaktuj się z administratorem.", - "Back to login" : "Powrót do logowania", "New password" : "Nowe hasło", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Twoje pliki są szyfrowane. Po zresetowaniu hasła nie będzie możliwości odzyskania danych. Jeśli nie masz pewności, co zrobić, skontaktuj się z administratorem przed kontynuowaniem. Czy na pewno chcesz kontynuować?", "I know what I'm doing" : "Wiem co robię", diff --git a/core/l10n/pt_BR.js b/core/l10n/pt_BR.js index 302af7b1b65..7fa381ad4d7 100644 --- a/core/l10n/pt_BR.js +++ b/core/l10n/pt_BR.js @@ -5,11 +5,11 @@ OC.L10N.register( "File is too big" : "O arquivo é muito grande", "The selected file is not an image." : "O arquivo selecionado não é uma imagem", "The selected file cannot be read." : "O arquivo selecionado não pôde ser lido", - "The file was uploaded" : "O arquivo foi enviado", - "The uploaded file exceeds the upload_max_filesize directive in php.ini" : "O arquivo enviado excede a diretiva upload_max_filesize em php.ini", - "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" : "O arquivo enviado excede a diretiva MAX_FILE_SIZE que foi especificada no formulário HTML", + "The file was uploaded" : "O arquivo foi carregado", + "The uploaded file exceeds the upload_max_filesize directive in php.ini" : "O arquivo carregado excede a diretiva upload_max_filesize em php.ini", + "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" : "O arquivo carregado excede a diretiva MAX_FILE_SIZE que foi especificada no formulário HTML", "The file was only partially uploaded" : "O arquivo foi carregado apenas parcialmente", - "No file was uploaded" : "Nenhum arquivo foi enviado", + "No file was uploaded" : "Nenhum arquivo foi carregado", "Missing a temporary folder" : "Falta uma pasta temporária", "Could not write file to disk" : "Não foi possível gravar o arquivo no disco", "A PHP extension stopped the file upload" : "Uma extensão PHP interrompeu o upload do arquivo", @@ -25,7 +25,7 @@ OC.L10N.register( "State token does not match" : "O estado do token não coincide", "Invalid app password" : "Senha do aplicativo inválida", "Could not complete login" : "Não foi possível concluir o login", - "State token missing" : "State token missing", + "State token missing" : "Falta o token de estado", "Your login token is invalid or has expired" : "Seu token de login é inválido ou expirou", "This community release of Nextcloud is unsupported and push notifications are limited." : "Esta versão da comunidade do Nextcloud não é compatível e as notificações por push são limitadas.", "Login" : "Entrar", @@ -34,11 +34,11 @@ OC.L10N.register( "Could not reset password because the token is expired" : "Não foi possível redefinir a senha porque o token expirou", "Could not reset password because the token is invalid" : "Não foi possível redefinir a senha porque o token é inválido", "Password is too long. Maximum allowed length is 469 characters." : "A senha é muito longa. O comprimento máximo permitido é de 469 caracteres.", - "%s password reset" : "%s redefinir senha", - "Password reset" : "Redefinir a senha", + "%s password reset" : "%s redefinição da senha", + "Password reset" : "Redefinição da senha", "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Clique no botão abaixo para redefinir sua senha. Se você não solicitou isso, ignore este e-mail.", "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Clique no link abaixo para redefinir sua senha. Se você não solicitou isso, ignore este e-mail.", - "Reset your password" : "Redefinir sua senha", + "Reset your password" : "Redefina sua senha", "The given provider is not available" : "O provedor fornecido não está disponível", "Task not found" : "Tarefa não encontrada", "Internal error" : "Erro interno", @@ -63,7 +63,7 @@ OC.L10N.register( "Repair info:" : "Informação do reparo:", "Repair warning:" : "Aviso do reparo:", "Repair error:" : "Erro do reparo:", - "Please use the command line updater because updating via browser is disabled in your config.php." : "Please use the command line updater because updating via browser is disabled in your config.php.", + "Please use the command line updater because updating via browser is disabled in your config.php." : "Use o atualizador de linha de comando porque a atualização via navegador está desativada em seu config.php.", "Turned on maintenance mode" : "Ativar o modo de manutenção", "Turned off maintenance mode" : "Desativar o modo de manutenção", "Maintenance mode is kept active" : "O modo de manutenção está sendo mantido como ativo", @@ -105,7 +105,7 @@ OC.L10N.register( "Yes" : "Sim", "The remote URL must include the user." : "A URL remota deve incluir o usuário.", "Invalid remote URL." : "URL remota inválida.", - "Failed to add the public link to your Nextcloud" : "Ocorreu uma falha ao adicionar o link público ao seu Nextcloud", + "Failed to add the public link to your Nextcloud" : "Falha ao adicionar o link público ao seu Nextcloud", "Federated user" : "Usuário federado", "user@your-nextcloud.org" : "user@your-nextcloud.org", "Create share" : "Criar compartilhamento", @@ -125,44 +125,44 @@ OC.L10N.register( "Last 7 days" : "Últimos 7 dias", "Last 30 days" : "Últimos 30 dias", "This year" : "Este ano", - "Last year" : "Último ano", + "Last year" : "Ano passado", "Unified search" : "Pesquisa unificada", "Search apps, files, tags, messages" : "Procure por apps, arquivos, etiquetas, mensagens", "Places" : "Lugares", "Date" : "Data", - "Search people" : "Procure pessoas", + "Search people" : "Pesquisar pessoas", "People" : "Pessoas", "Filter in current view" : "Filtrar na visualização atual", "Results" : "Resultados", "Load more results" : "Carregar mais resultados", - "Search in" : "Procurar em", + "Search in" : "Pesquisar em", "Log in" : "Entrar", "Logging in …" : "Entrando...", "Log in to {productName}" : "Faça login em {productName}", "Wrong login or password." : "Login ou senha incorretos.", - "This account is disabled" : "Essa conta está desativada", + "This account is disabled" : "Esta conta está desativada", "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Detectamos várias tentativas de login inválidas de seu IP. Portanto, seu próximo login será desacelerado em até 30 segundos.", "Account name or email" : "Nome da conta ou e-mail", "Account name" : "Nome da conta", "Server side authentication failed!" : "Autenticação do servidor falhou!", "Please contact your administrator." : "Por favor, entre em contato com o administrador.", - "Temporary error" : "Erro temporário", - "Please try again." : "Por favor, tente novamente.", + "Session error" : "Erro de sessão", + "It appears your session token has expired, please refresh the page and try again." : "Parece que seu token de sessão expirou. Atualize a página e tente novamente.", "An internal error occurred." : "Ocorreu um erro interno.", "Please try again or contact your administrator." : "Tente novamente ou entre em contato com o administrador.", "Password" : "Senha", "Log in with a device" : "Logar-se com um dispositivo", "Login or email" : "Login ou e-mail", "Your account is not setup for passwordless login." : "Sua conta não está configurada para login sem senha.", - "Browser not supported" : "Navegador não suportado", - "Passwordless authentication is not supported in your browser." : "A autenticação sem senha não é suportada no seu navegador.", "Your connection is not secure" : "Sua conexão não é segura", "Passwordless authentication is only available over a secure connection." : "A autenticação sem senha está disponível apenas em uma conexão segura.", + "Browser not supported" : "Navegador não suportado", + "Passwordless authentication is not supported in your browser." : "A autenticação sem senha não é suportada no seu navegador.", "Reset password" : "Redefinir senha", - "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Se essa conta existir, uma mensagem de redefinição de senha foi enviada para o endereço de e-mail associado a ela. Se você não receber, verifique seu endereço de e-mail e/ou faça login, confira suas pastas de spam/lixeira ou peça ajuda à administração local.", - "Couldn't send reset email. Please contact your administrator." : "Não foi possível enviar o e-mail de redefinição. Por favor, contate o administrador.", - "Password cannot be changed. Please contact your administrator." : "A senha não pôde ser alterada. Por favor contate seu administrador.", "Back to login" : "Voltar ao login", + "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Se essa conta existir, uma mensagem de redefinição de senha foi enviada para o endereço de e-mail associado a ela. Se você não receber, verifique seu endereço de e-mail e/ou login, confira suas pastas de spam/lixo de correio eletrônico ou peça ajuda à administração local.", + "Couldn't send reset email. Please contact your administrator." : "Não foi possível enviar o e-mail de redefinição. Por favor, contate o administrador.", + "Password cannot be changed. Please contact your administrator." : "A senha não pôde ser alterada. Por favor, contate seu administrador.", "New password" : "Nova senha", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Seus arquivos são criptografados. Não há como recuperar os dados depois que a senha for redefinida. Se não tiver certeza do que fazer, entre em contato com o administrador. Quer realmente continuar?", "I know what I'm doing" : "Eu sei o que estou fazendo", @@ -172,14 +172,14 @@ OC.L10N.register( "Simple email app nicely integrated with Files, Contacts and Calendar." : "Aplicativo de e-mail simples e bem integrado com Arquivos, Contatos e Calendário.", "Chatting, video calls, screen sharing, online meetings and web conferencing – in your browser and with mobile apps." : "Bate-papo, vídeo chamadas, compartilhamento de tela, reuniões online e conferência na web - no seu navegador e com aplicativos móveis.", "Collaborative documents, spreadsheets and presentations, built on Collabora Online." : "Documentos colaborativos, planilhas e apresentações, construídos no Collabora Online.", - "Distraction free note taking app." : "Distraction free note taking app.", + "Distraction free note taking app." : "Aplicativo de anotações sem distrações.", "Recommended apps" : "Aplicativos recomendados", "Loading apps …" : "Carregando aplicativos...", "Could not fetch list of apps from the App Store." : "Não foi possível buscar a lista de aplicativos na App Store.", "App download or installation failed" : "O download ou a instalação do aplicativo falhou", "Cannot install this app because it is not compatible" : "Não foi possível instalar este aplicativo pois não é compatível.", "Cannot install this app" : "Não foi possível instalar este aplicativo.", - "Skip" : "Ignorar", + "Skip" : "Pular", "Installing apps …" : "Instalando aplicativos...", "Install recommended apps" : "Instalar aplicativos recomendados", "Avatar of {displayName}" : "Avatar de {displayName}", @@ -188,7 +188,7 @@ OC.L10N.register( "Looking for {term} …" : "Procurando por {term}…", "Search contacts" : "Pesquisar contatos", "Reset search" : "Redefinir pesquisa", - "Search contacts …" : "Procurar contatos...", + "Search contacts …" : "Pesquisar contatos …", "Could not load your contacts" : "Não foi possível carregar seus contatos", "No contacts found" : "Nenhum contato encontrado", "Show all contacts" : "Mostrar todos os contatos", @@ -207,9 +207,25 @@ OC.L10N.register( "Login form is disabled." : "O formulário de login está desativado.", "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "O formulário de login do Nextcloud está desabilitado. Use outra opção de login, se disponível, ou entre em contato com sua administração.", "More actions" : "Mais ações", + "Password is too weak" : "A senha é muito fraca", + "Password is weak" : "A senha é fraca", + "Password is average" : "A senha é média", + "Password is strong" : "A senha é forte", + "Password is very strong" : "A senha é muito forte", + "Password is extremely strong" : "A senha é extremamente forte", + "Unknown password strength" : "Força desconhecida da senha", + "Your data directory and files are probably accessible from the internet because the <code>.htaccess</code> file does not work." : "Seu diretório de dados e arquivos provavelmente podem ser acessados pela Internet porque o arquivo <code>.htaccess</code> não funciona.", + "For information how to properly configure your server, please {linkStart}see the documentation{linkEnd}" : "Para obter informações sobre como configurar corretamente seu servidor, {linkStart}consulte a documentação{linkEnd}", + "Autoconfig file detected" : "Arquivo de configuração automática detectado", + "The setup form below is pre-filled with the values from the config file." : "O formulário de configuração abaixo é pré-preenchido com os valores do arquivo de configuração.", "Security warning" : "Alerta de segurança", + "Create administration account" : "Criar conta de administração", + "Administration account name" : "Nome da conta de administração", + "Administration account password" : "Senha da conta de administração", "Storage & database" : "Armazenamento & banco de dados", "Data folder" : "Pasta de dados", + "Database configuration" : "Configuração do banco de dados", + "Only {firstAndOnlyDatabase} is available." : "Somente {firstAndOnlyDatabase} está disponível.", "Install and activate additional PHP modules to choose other database types." : "Instale e ative os módulos adicionais do PHP para escolher outros tipos de banco de dados.", "For more details check out the documentation." : "Para mais informações consulte a documentação.", "Performance warning" : "Alerta de performance", @@ -222,7 +238,8 @@ OC.L10N.register( "Database tablespace" : "Espaço de tabela do banco de dados", "Please specify the port number along with the host name (e.g., localhost:5432)." : "Por favor especifique o nome do host e porta (ex., localhost:5432).", "Database host" : "Host do banco de dados", - "Installing …" : "Instalando ...", + "localhost" : "localhost", + "Installing …" : "Instalando …", "Install" : "Instalar", "Need help?" : "Precisa de ajuda?", "See the documentation" : "Veja a documentação", @@ -268,7 +285,7 @@ OC.L10N.register( "View changelog" : "Ver alterações", "No action available" : "Nenhuma ação disponível", "Error fetching contact actions" : "Erro ao obter as ações de contato", - "Close \"{dialogTitle}\" dialog" : "Close \"{dialogTitle}\" dialog", + "Close \"{dialogTitle}\" dialog" : "Fechar a caixa de diálogo \"{dialogTitle}\"", "Email length is at max (255)" : "O comprimento do e-mail é no máximo (255)", "Non-existing tag #{tag}" : "Etiqueta inexistente #{tag}", "Restricted" : "Restrita", @@ -313,7 +330,7 @@ OC.L10N.register( "Connect to your account" : "Conectar à sua conta", "Please log in before granting %1$s access to your %2$s account." : "Logue-se antes de conceder acesso %1$s à sua conta %2$s.", "If you are not trying to set up a new device or app, someone is trying to trick you into granting them access to your data. In this case do not proceed and instead contact your system administrator." : "Se você não está tentando configurar um novo dispositivo ou aplicativo, alguém está tentando induzi-lo a conceder acesso a seus dados. Nesse caso, não prossiga e entre em contato com o administrador do sistema.", - "App password" : "Senha do aplicativo", + "App password" : "Senha de aplicativo", "Grant access" : "Conceder acesso", "Alternative log in using app password" : "Login alternativo usando senha do aplicativo", "Account access" : "Acesso à conta", @@ -381,8 +398,8 @@ OC.L10N.register( "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Seu diretório de dados e arquivos provavelmente estão acessíveis pela internet, porque o .htaccess não funciona.", "For information how to properly configure your server, please see the <a href=\"%s\" target=\"_blank\" rel=\"noreferrer noopener\">documentation</a>." : "Para mais informações de como configurar apropriadamente seu servidor, consulte nossa <a href=\"%s\" target=\"_blank\" rel=\"noreferrer noopener\">documentação</a>.", "<strong>Create an admin account</strong>" : "<strong>Criar uma conta de administrador</strong>", - "New admin account name" : "Nome de conta do novo Administrador", - "New admin password" : "Senha do novo Administrador", + "New admin account name" : "Nome de conta do novo administrador", + "New admin password" : "Senha do novo administrador", "Show password" : "Mostrar senha", "Toggle password visibility" : "Alternar visibilidade da senha", "Configure the database" : "Configurar o banco de dados", diff --git a/core/l10n/pt_BR.json b/core/l10n/pt_BR.json index e737f7d62f9..cd9e2ff9121 100644 --- a/core/l10n/pt_BR.json +++ b/core/l10n/pt_BR.json @@ -3,11 +3,11 @@ "File is too big" : "O arquivo é muito grande", "The selected file is not an image." : "O arquivo selecionado não é uma imagem", "The selected file cannot be read." : "O arquivo selecionado não pôde ser lido", - "The file was uploaded" : "O arquivo foi enviado", - "The uploaded file exceeds the upload_max_filesize directive in php.ini" : "O arquivo enviado excede a diretiva upload_max_filesize em php.ini", - "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" : "O arquivo enviado excede a diretiva MAX_FILE_SIZE que foi especificada no formulário HTML", + "The file was uploaded" : "O arquivo foi carregado", + "The uploaded file exceeds the upload_max_filesize directive in php.ini" : "O arquivo carregado excede a diretiva upload_max_filesize em php.ini", + "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form" : "O arquivo carregado excede a diretiva MAX_FILE_SIZE que foi especificada no formulário HTML", "The file was only partially uploaded" : "O arquivo foi carregado apenas parcialmente", - "No file was uploaded" : "Nenhum arquivo foi enviado", + "No file was uploaded" : "Nenhum arquivo foi carregado", "Missing a temporary folder" : "Falta uma pasta temporária", "Could not write file to disk" : "Não foi possível gravar o arquivo no disco", "A PHP extension stopped the file upload" : "Uma extensão PHP interrompeu o upload do arquivo", @@ -23,7 +23,7 @@ "State token does not match" : "O estado do token não coincide", "Invalid app password" : "Senha do aplicativo inválida", "Could not complete login" : "Não foi possível concluir o login", - "State token missing" : "State token missing", + "State token missing" : "Falta o token de estado", "Your login token is invalid or has expired" : "Seu token de login é inválido ou expirou", "This community release of Nextcloud is unsupported and push notifications are limited." : "Esta versão da comunidade do Nextcloud não é compatível e as notificações por push são limitadas.", "Login" : "Entrar", @@ -32,11 +32,11 @@ "Could not reset password because the token is expired" : "Não foi possível redefinir a senha porque o token expirou", "Could not reset password because the token is invalid" : "Não foi possível redefinir a senha porque o token é inválido", "Password is too long. Maximum allowed length is 469 characters." : "A senha é muito longa. O comprimento máximo permitido é de 469 caracteres.", - "%s password reset" : "%s redefinir senha", - "Password reset" : "Redefinir a senha", + "%s password reset" : "%s redefinição da senha", + "Password reset" : "Redefinição da senha", "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Clique no botão abaixo para redefinir sua senha. Se você não solicitou isso, ignore este e-mail.", "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Clique no link abaixo para redefinir sua senha. Se você não solicitou isso, ignore este e-mail.", - "Reset your password" : "Redefinir sua senha", + "Reset your password" : "Redefina sua senha", "The given provider is not available" : "O provedor fornecido não está disponível", "Task not found" : "Tarefa não encontrada", "Internal error" : "Erro interno", @@ -61,7 +61,7 @@ "Repair info:" : "Informação do reparo:", "Repair warning:" : "Aviso do reparo:", "Repair error:" : "Erro do reparo:", - "Please use the command line updater because updating via browser is disabled in your config.php." : "Please use the command line updater because updating via browser is disabled in your config.php.", + "Please use the command line updater because updating via browser is disabled in your config.php." : "Use o atualizador de linha de comando porque a atualização via navegador está desativada em seu config.php.", "Turned on maintenance mode" : "Ativar o modo de manutenção", "Turned off maintenance mode" : "Desativar o modo de manutenção", "Maintenance mode is kept active" : "O modo de manutenção está sendo mantido como ativo", @@ -103,7 +103,7 @@ "Yes" : "Sim", "The remote URL must include the user." : "A URL remota deve incluir o usuário.", "Invalid remote URL." : "URL remota inválida.", - "Failed to add the public link to your Nextcloud" : "Ocorreu uma falha ao adicionar o link público ao seu Nextcloud", + "Failed to add the public link to your Nextcloud" : "Falha ao adicionar o link público ao seu Nextcloud", "Federated user" : "Usuário federado", "user@your-nextcloud.org" : "user@your-nextcloud.org", "Create share" : "Criar compartilhamento", @@ -123,44 +123,44 @@ "Last 7 days" : "Últimos 7 dias", "Last 30 days" : "Últimos 30 dias", "This year" : "Este ano", - "Last year" : "Último ano", + "Last year" : "Ano passado", "Unified search" : "Pesquisa unificada", "Search apps, files, tags, messages" : "Procure por apps, arquivos, etiquetas, mensagens", "Places" : "Lugares", "Date" : "Data", - "Search people" : "Procure pessoas", + "Search people" : "Pesquisar pessoas", "People" : "Pessoas", "Filter in current view" : "Filtrar na visualização atual", "Results" : "Resultados", "Load more results" : "Carregar mais resultados", - "Search in" : "Procurar em", + "Search in" : "Pesquisar em", "Log in" : "Entrar", "Logging in …" : "Entrando...", "Log in to {productName}" : "Faça login em {productName}", "Wrong login or password." : "Login ou senha incorretos.", - "This account is disabled" : "Essa conta está desativada", + "This account is disabled" : "Esta conta está desativada", "We have detected multiple invalid login attempts from your IP. Therefore your next login is throttled up to 30 seconds." : "Detectamos várias tentativas de login inválidas de seu IP. Portanto, seu próximo login será desacelerado em até 30 segundos.", "Account name or email" : "Nome da conta ou e-mail", "Account name" : "Nome da conta", "Server side authentication failed!" : "Autenticação do servidor falhou!", "Please contact your administrator." : "Por favor, entre em contato com o administrador.", - "Temporary error" : "Erro temporário", - "Please try again." : "Por favor, tente novamente.", + "Session error" : "Erro de sessão", + "It appears your session token has expired, please refresh the page and try again." : "Parece que seu token de sessão expirou. Atualize a página e tente novamente.", "An internal error occurred." : "Ocorreu um erro interno.", "Please try again or contact your administrator." : "Tente novamente ou entre em contato com o administrador.", "Password" : "Senha", "Log in with a device" : "Logar-se com um dispositivo", "Login or email" : "Login ou e-mail", "Your account is not setup for passwordless login." : "Sua conta não está configurada para login sem senha.", - "Browser not supported" : "Navegador não suportado", - "Passwordless authentication is not supported in your browser." : "A autenticação sem senha não é suportada no seu navegador.", "Your connection is not secure" : "Sua conexão não é segura", "Passwordless authentication is only available over a secure connection." : "A autenticação sem senha está disponível apenas em uma conexão segura.", + "Browser not supported" : "Navegador não suportado", + "Passwordless authentication is not supported in your browser." : "A autenticação sem senha não é suportada no seu navegador.", "Reset password" : "Redefinir senha", - "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Se essa conta existir, uma mensagem de redefinição de senha foi enviada para o endereço de e-mail associado a ela. Se você não receber, verifique seu endereço de e-mail e/ou faça login, confira suas pastas de spam/lixeira ou peça ajuda à administração local.", - "Couldn't send reset email. Please contact your administrator." : "Não foi possível enviar o e-mail de redefinição. Por favor, contate o administrador.", - "Password cannot be changed. Please contact your administrator." : "A senha não pôde ser alterada. Por favor contate seu administrador.", "Back to login" : "Voltar ao login", + "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Se essa conta existir, uma mensagem de redefinição de senha foi enviada para o endereço de e-mail associado a ela. Se você não receber, verifique seu endereço de e-mail e/ou login, confira suas pastas de spam/lixo de correio eletrônico ou peça ajuda à administração local.", + "Couldn't send reset email. Please contact your administrator." : "Não foi possível enviar o e-mail de redefinição. Por favor, contate o administrador.", + "Password cannot be changed. Please contact your administrator." : "A senha não pôde ser alterada. Por favor, contate seu administrador.", "New password" : "Nova senha", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Seus arquivos são criptografados. Não há como recuperar os dados depois que a senha for redefinida. Se não tiver certeza do que fazer, entre em contato com o administrador. Quer realmente continuar?", "I know what I'm doing" : "Eu sei o que estou fazendo", @@ -170,14 +170,14 @@ "Simple email app nicely integrated with Files, Contacts and Calendar." : "Aplicativo de e-mail simples e bem integrado com Arquivos, Contatos e Calendário.", "Chatting, video calls, screen sharing, online meetings and web conferencing – in your browser and with mobile apps." : "Bate-papo, vídeo chamadas, compartilhamento de tela, reuniões online e conferência na web - no seu navegador e com aplicativos móveis.", "Collaborative documents, spreadsheets and presentations, built on Collabora Online." : "Documentos colaborativos, planilhas e apresentações, construídos no Collabora Online.", - "Distraction free note taking app." : "Distraction free note taking app.", + "Distraction free note taking app." : "Aplicativo de anotações sem distrações.", "Recommended apps" : "Aplicativos recomendados", "Loading apps …" : "Carregando aplicativos...", "Could not fetch list of apps from the App Store." : "Não foi possível buscar a lista de aplicativos na App Store.", "App download or installation failed" : "O download ou a instalação do aplicativo falhou", "Cannot install this app because it is not compatible" : "Não foi possível instalar este aplicativo pois não é compatível.", "Cannot install this app" : "Não foi possível instalar este aplicativo.", - "Skip" : "Ignorar", + "Skip" : "Pular", "Installing apps …" : "Instalando aplicativos...", "Install recommended apps" : "Instalar aplicativos recomendados", "Avatar of {displayName}" : "Avatar de {displayName}", @@ -186,7 +186,7 @@ "Looking for {term} …" : "Procurando por {term}…", "Search contacts" : "Pesquisar contatos", "Reset search" : "Redefinir pesquisa", - "Search contacts …" : "Procurar contatos...", + "Search contacts …" : "Pesquisar contatos …", "Could not load your contacts" : "Não foi possível carregar seus contatos", "No contacts found" : "Nenhum contato encontrado", "Show all contacts" : "Mostrar todos os contatos", @@ -205,9 +205,25 @@ "Login form is disabled." : "O formulário de login está desativado.", "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "O formulário de login do Nextcloud está desabilitado. Use outra opção de login, se disponível, ou entre em contato com sua administração.", "More actions" : "Mais ações", + "Password is too weak" : "A senha é muito fraca", + "Password is weak" : "A senha é fraca", + "Password is average" : "A senha é média", + "Password is strong" : "A senha é forte", + "Password is very strong" : "A senha é muito forte", + "Password is extremely strong" : "A senha é extremamente forte", + "Unknown password strength" : "Força desconhecida da senha", + "Your data directory and files are probably accessible from the internet because the <code>.htaccess</code> file does not work." : "Seu diretório de dados e arquivos provavelmente podem ser acessados pela Internet porque o arquivo <code>.htaccess</code> não funciona.", + "For information how to properly configure your server, please {linkStart}see the documentation{linkEnd}" : "Para obter informações sobre como configurar corretamente seu servidor, {linkStart}consulte a documentação{linkEnd}", + "Autoconfig file detected" : "Arquivo de configuração automática detectado", + "The setup form below is pre-filled with the values from the config file." : "O formulário de configuração abaixo é pré-preenchido com os valores do arquivo de configuração.", "Security warning" : "Alerta de segurança", + "Create administration account" : "Criar conta de administração", + "Administration account name" : "Nome da conta de administração", + "Administration account password" : "Senha da conta de administração", "Storage & database" : "Armazenamento & banco de dados", "Data folder" : "Pasta de dados", + "Database configuration" : "Configuração do banco de dados", + "Only {firstAndOnlyDatabase} is available." : "Somente {firstAndOnlyDatabase} está disponível.", "Install and activate additional PHP modules to choose other database types." : "Instale e ative os módulos adicionais do PHP para escolher outros tipos de banco de dados.", "For more details check out the documentation." : "Para mais informações consulte a documentação.", "Performance warning" : "Alerta de performance", @@ -220,7 +236,8 @@ "Database tablespace" : "Espaço de tabela do banco de dados", "Please specify the port number along with the host name (e.g., localhost:5432)." : "Por favor especifique o nome do host e porta (ex., localhost:5432).", "Database host" : "Host do banco de dados", - "Installing …" : "Instalando ...", + "localhost" : "localhost", + "Installing …" : "Instalando …", "Install" : "Instalar", "Need help?" : "Precisa de ajuda?", "See the documentation" : "Veja a documentação", @@ -266,7 +283,7 @@ "View changelog" : "Ver alterações", "No action available" : "Nenhuma ação disponível", "Error fetching contact actions" : "Erro ao obter as ações de contato", - "Close \"{dialogTitle}\" dialog" : "Close \"{dialogTitle}\" dialog", + "Close \"{dialogTitle}\" dialog" : "Fechar a caixa de diálogo \"{dialogTitle}\"", "Email length is at max (255)" : "O comprimento do e-mail é no máximo (255)", "Non-existing tag #{tag}" : "Etiqueta inexistente #{tag}", "Restricted" : "Restrita", @@ -311,7 +328,7 @@ "Connect to your account" : "Conectar à sua conta", "Please log in before granting %1$s access to your %2$s account." : "Logue-se antes de conceder acesso %1$s à sua conta %2$s.", "If you are not trying to set up a new device or app, someone is trying to trick you into granting them access to your data. In this case do not proceed and instead contact your system administrator." : "Se você não está tentando configurar um novo dispositivo ou aplicativo, alguém está tentando induzi-lo a conceder acesso a seus dados. Nesse caso, não prossiga e entre em contato com o administrador do sistema.", - "App password" : "Senha do aplicativo", + "App password" : "Senha de aplicativo", "Grant access" : "Conceder acesso", "Alternative log in using app password" : "Login alternativo usando senha do aplicativo", "Account access" : "Acesso à conta", @@ -379,8 +396,8 @@ "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Seu diretório de dados e arquivos provavelmente estão acessíveis pela internet, porque o .htaccess não funciona.", "For information how to properly configure your server, please see the <a href=\"%s\" target=\"_blank\" rel=\"noreferrer noopener\">documentation</a>." : "Para mais informações de como configurar apropriadamente seu servidor, consulte nossa <a href=\"%s\" target=\"_blank\" rel=\"noreferrer noopener\">documentação</a>.", "<strong>Create an admin account</strong>" : "<strong>Criar uma conta de administrador</strong>", - "New admin account name" : "Nome de conta do novo Administrador", - "New admin password" : "Senha do novo Administrador", + "New admin account name" : "Nome de conta do novo administrador", + "New admin password" : "Senha do novo administrador", "Show password" : "Mostrar senha", "Toggle password visibility" : "Alternar visibilidade da senha", "Configure the database" : "Configurar o banco de dados", diff --git a/core/l10n/pt_PT.js b/core/l10n/pt_PT.js index 26b8cf8db0c..6e8997c2905 100644 --- a/core/l10n/pt_PT.js +++ b/core/l10n/pt_PT.js @@ -121,14 +121,14 @@ OC.L10N.register( "Please try again or contact your administrator." : "Por favor, tente novamente ou contacte o seu administrador.", "Password" : "Palavra-passe", "Your account is not setup for passwordless login." : "A sua conta não está configurada para autenticação sem palavra-passe.", - "Browser not supported" : "Navegador não suportado", - "Passwordless authentication is not supported in your browser." : "O seu navegador não suporta autenticação sem palavra-passe.", "Your connection is not secure" : "A sua ligação não é segura", "Passwordless authentication is only available over a secure connection." : "A autenticação sem palavra-passe só está disponível através de uma ligação segura.", + "Browser not supported" : "Navegador não suportado", + "Passwordless authentication is not supported in your browser." : "O seu navegador não suporta autenticação sem palavra-passe.", "Reset password" : "Repor palavra-passe", + "Back to login" : "Voltar à autenticação", "Couldn't send reset email. Please contact your administrator." : "Não foi possível enviar a mensagem de reposição. Por favor, contacte o seu administrador.", "Password cannot be changed. Please contact your administrator." : "A palavra-passe não pode ser alterada. Por favor, contacte o seu administrador.", - "Back to login" : "Voltar à autenticação", "New password" : "Nova palavra-passe", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Os seus ficheiros estão cifrados. Não será possível aceder aos seus dados após a palavra-passe ser alterada. Se não tiver a certeza do que fazer, contacte o administrador do sistema antes de continuar. Tem a certeza que quer continuar?", "I know what I'm doing" : "Eu sei o que eu estou a fazer", @@ -183,6 +183,7 @@ OC.L10N.register( "Continue with this unsupported browser" : "Continuar com este navegador não suportado", "Supported versions" : "Versões suportadas", "Search {types} …" : "Pesquisar {types}...", + "Choose {file}" : "Escolher {file}", "Choose" : "Escolher", "Copy" : "Copiar", "Move" : "Mover", diff --git a/core/l10n/pt_PT.json b/core/l10n/pt_PT.json index d71fe7b5892..61d99444bbb 100644 --- a/core/l10n/pt_PT.json +++ b/core/l10n/pt_PT.json @@ -119,14 +119,14 @@ "Please try again or contact your administrator." : "Por favor, tente novamente ou contacte o seu administrador.", "Password" : "Palavra-passe", "Your account is not setup for passwordless login." : "A sua conta não está configurada para autenticação sem palavra-passe.", - "Browser not supported" : "Navegador não suportado", - "Passwordless authentication is not supported in your browser." : "O seu navegador não suporta autenticação sem palavra-passe.", "Your connection is not secure" : "A sua ligação não é segura", "Passwordless authentication is only available over a secure connection." : "A autenticação sem palavra-passe só está disponível através de uma ligação segura.", + "Browser not supported" : "Navegador não suportado", + "Passwordless authentication is not supported in your browser." : "O seu navegador não suporta autenticação sem palavra-passe.", "Reset password" : "Repor palavra-passe", + "Back to login" : "Voltar à autenticação", "Couldn't send reset email. Please contact your administrator." : "Não foi possível enviar a mensagem de reposição. Por favor, contacte o seu administrador.", "Password cannot be changed. Please contact your administrator." : "A palavra-passe não pode ser alterada. Por favor, contacte o seu administrador.", - "Back to login" : "Voltar à autenticação", "New password" : "Nova palavra-passe", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Os seus ficheiros estão cifrados. Não será possível aceder aos seus dados após a palavra-passe ser alterada. Se não tiver a certeza do que fazer, contacte o administrador do sistema antes de continuar. Tem a certeza que quer continuar?", "I know what I'm doing" : "Eu sei o que eu estou a fazer", @@ -181,6 +181,7 @@ "Continue with this unsupported browser" : "Continuar com este navegador não suportado", "Supported versions" : "Versões suportadas", "Search {types} …" : "Pesquisar {types}...", + "Choose {file}" : "Escolher {file}", "Choose" : "Escolher", "Copy" : "Copiar", "Move" : "Mover", diff --git a/core/l10n/ro.js b/core/l10n/ro.js index 8d441208d5b..f7ed94bbe6f 100644 --- a/core/l10n/ro.js +++ b/core/l10n/ro.js @@ -29,6 +29,7 @@ OC.L10N.register( "Your login token is invalid or has expired" : "Tokenul tău de autentificare este invalid sau a expirat", "This community release of Nextcloud is unsupported and push notifications are limited." : "Această versiune produsă de comunitatea Nextcloud nu este suportată și notificările push sunt limitate.", "Login" : "Autentificare", + "Unsupported email length (>255)" : "Adresa de email este prea lungă (>255)", "Password reset is disabled" : "Resetarea parolei este dezactivată.", "Could not reset password because the token is expired" : "Nu s-a putut reseta parola deoarece token-ul a expirat", "Could not reset password because the token is invalid" : "Nu s-a putut reseta parola deoarece token-ul este invalid", @@ -38,6 +39,7 @@ OC.L10N.register( "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Apăsați butonul următor pentru resetarea parolei dumneavoastră. Dacă nu ați solicitat resetarea parolei, ignorați acest email.", "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Apăsați link-ul următor pentru resetarea parolei dumneavoastră. Dacă nu ați solicitat resetarea parolei, ignorați acest email.", "Reset your password" : "Resetați-vă parola", + "The given provider is not available" : "Furnizorul specificat nu este disponibil", "Task not found" : "Sarcina nu a fost găsită", "Internal error" : "Eroare internă", "Not found" : "Nu a fost găsit", @@ -52,6 +54,7 @@ OC.L10N.register( "Nextcloud Server" : "Nextcloud Server", "Some of your link shares have been removed" : "Unele dintre link-urile tale partajate au fost șterse", "Due to a security bug we had to remove some of your link shares. Please see the link for more information." : "Din cauza unui bug de securitate, a trebuit să eliminăm unele dintre link-urile dvs. partajate. Vă rugăm să consultați link-ul pentru mai multe informații.", + "The account limit of this instance is reached." : "Limita contului a fost atinsă.", "Learn more ↗" : "Află mai multe ↗", "Preparing update" : "Se pregătește actualizarea", "[%d / %d]: %s" : "[%d / %d]: %s", @@ -130,21 +133,19 @@ OC.L10N.register( "Account name or email" : "Cont utilizator sau email", "Server side authentication failed!" : "Autentificarea la nivel de server a eșuat!", "Please contact your administrator." : "Contactează-ți administratorul.", - "Temporary error" : "Eroare temporară", - "Please try again." : "Încercați din nou.", "An internal error occurred." : "A apărut o eroare internă.", "Please try again or contact your administrator." : "Încearcă din nou sau contactează-ți administratorul.", "Password" : "Parolă", "Log in with a device" : "Logare cu dispozitiv", "Your account is not setup for passwordless login." : "Contul acesta nu este configurat pentru logare fără parolă.", - "Browser not supported" : "Browser incompatibil", - "Passwordless authentication is not supported in your browser." : "Autentificarea fără parolă nu este suportată de browser.", "Your connection is not secure" : "Conexiunea este nesigură", "Passwordless authentication is only available over a secure connection." : "Autentificarea fără parolă este disponibilă doar în cazul conexiunilor sigure.", + "Browser not supported" : "Browser incompatibil", + "Passwordless authentication is not supported in your browser." : "Autentificarea fără parolă nu este suportată de browser.", "Reset password" : "Resetează parola", + "Back to login" : "Înapoi la autentificare", "Couldn't send reset email. Please contact your administrator." : "Expedierea email-ului de resetare a eşuat. Vă rugăm să contactaţi administratorul dvs.", "Password cannot be changed. Please contact your administrator." : "Parola nu s-a putut schimba. Contactați administratorul.", - "Back to login" : "Înapoi la autentificare", "New password" : "Noua parolă", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Fișierele tale sunt criptate. Acestea nu vor mai putea fi recuperate după resetarea parolei. Dacă nu știți cumm să procedați, contactați administratorul înainte de a continua. Sigur doriți să continuați?", "I know what I'm doing" : "Știu ce fac", diff --git a/core/l10n/ro.json b/core/l10n/ro.json index c335ed89df5..55ff6a8c03d 100644 --- a/core/l10n/ro.json +++ b/core/l10n/ro.json @@ -27,6 +27,7 @@ "Your login token is invalid or has expired" : "Tokenul tău de autentificare este invalid sau a expirat", "This community release of Nextcloud is unsupported and push notifications are limited." : "Această versiune produsă de comunitatea Nextcloud nu este suportată și notificările push sunt limitate.", "Login" : "Autentificare", + "Unsupported email length (>255)" : "Adresa de email este prea lungă (>255)", "Password reset is disabled" : "Resetarea parolei este dezactivată.", "Could not reset password because the token is expired" : "Nu s-a putut reseta parola deoarece token-ul a expirat", "Could not reset password because the token is invalid" : "Nu s-a putut reseta parola deoarece token-ul este invalid", @@ -36,6 +37,7 @@ "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Apăsați butonul următor pentru resetarea parolei dumneavoastră. Dacă nu ați solicitat resetarea parolei, ignorați acest email.", "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Apăsați link-ul următor pentru resetarea parolei dumneavoastră. Dacă nu ați solicitat resetarea parolei, ignorați acest email.", "Reset your password" : "Resetați-vă parola", + "The given provider is not available" : "Furnizorul specificat nu este disponibil", "Task not found" : "Sarcina nu a fost găsită", "Internal error" : "Eroare internă", "Not found" : "Nu a fost găsit", @@ -50,6 +52,7 @@ "Nextcloud Server" : "Nextcloud Server", "Some of your link shares have been removed" : "Unele dintre link-urile tale partajate au fost șterse", "Due to a security bug we had to remove some of your link shares. Please see the link for more information." : "Din cauza unui bug de securitate, a trebuit să eliminăm unele dintre link-urile dvs. partajate. Vă rugăm să consultați link-ul pentru mai multe informații.", + "The account limit of this instance is reached." : "Limita contului a fost atinsă.", "Learn more ↗" : "Află mai multe ↗", "Preparing update" : "Se pregătește actualizarea", "[%d / %d]: %s" : "[%d / %d]: %s", @@ -128,21 +131,19 @@ "Account name or email" : "Cont utilizator sau email", "Server side authentication failed!" : "Autentificarea la nivel de server a eșuat!", "Please contact your administrator." : "Contactează-ți administratorul.", - "Temporary error" : "Eroare temporară", - "Please try again." : "Încercați din nou.", "An internal error occurred." : "A apărut o eroare internă.", "Please try again or contact your administrator." : "Încearcă din nou sau contactează-ți administratorul.", "Password" : "Parolă", "Log in with a device" : "Logare cu dispozitiv", "Your account is not setup for passwordless login." : "Contul acesta nu este configurat pentru logare fără parolă.", - "Browser not supported" : "Browser incompatibil", - "Passwordless authentication is not supported in your browser." : "Autentificarea fără parolă nu este suportată de browser.", "Your connection is not secure" : "Conexiunea este nesigură", "Passwordless authentication is only available over a secure connection." : "Autentificarea fără parolă este disponibilă doar în cazul conexiunilor sigure.", + "Browser not supported" : "Browser incompatibil", + "Passwordless authentication is not supported in your browser." : "Autentificarea fără parolă nu este suportată de browser.", "Reset password" : "Resetează parola", + "Back to login" : "Înapoi la autentificare", "Couldn't send reset email. Please contact your administrator." : "Expedierea email-ului de resetare a eşuat. Vă rugăm să contactaţi administratorul dvs.", "Password cannot be changed. Please contact your administrator." : "Parola nu s-a putut schimba. Contactați administratorul.", - "Back to login" : "Înapoi la autentificare", "New password" : "Noua parolă", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Fișierele tale sunt criptate. Acestea nu vor mai putea fi recuperate după resetarea parolei. Dacă nu știți cumm să procedați, contactați administratorul înainte de a continua. Sigur doriți să continuați?", "I know what I'm doing" : "Știu ce fac", diff --git a/core/l10n/ru.js b/core/l10n/ru.js index 5115544710a..35482633e7e 100644 --- a/core/l10n/ru.js +++ b/core/l10n/ru.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "Имя учётной записи", "Server side authentication failed!" : "Ошибка аутентификации на стороне сервера!", "Please contact your administrator." : "Обратитесь к своему администратору.", - "Temporary error" : "Временная ошибка", - "Please try again." : "Попробуйте ещё раз.", "An internal error occurred." : "Произошла внутренняя ошибка.", "Please try again or contact your administrator." : "Попробуйте ещё раз или свяжитесь со своим администратором", "Password" : "Пароль", "Log in with a device" : "Войти с устройства", "Login or email" : "Имя пользователя или адрес эл. почты", "Your account is not setup for passwordless login." : "Ваша учётная запись не настроена на вход без пароля.", - "Browser not supported" : "Используемый браузер не поддерживается", - "Passwordless authentication is not supported in your browser." : "Ваш браузер не поддерживает безпарольную аутентификацию", "Your connection is not secure" : "Соединение установлено с использованием небезопасного протокола", "Passwordless authentication is only available over a secure connection." : "Вход без пароля возможет только через защищённое соединение", + "Browser not supported" : "Используемый браузер не поддерживается", + "Passwordless authentication is not supported in your browser." : "Ваш браузер не поддерживает безпарольную аутентификацию", "Reset password" : "Сбросить пароль", + "Back to login" : "Вернуться на страницу входа", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Если эта учётная запись существует, на ее адрес электронной почты было отправлено сообщение о сбросе пароля. Если вы его не получили, подтвердите свой адрес электронной почты и/или имя учетной записи, проверьте папки со спамом/нежелательной почтой или обратитесь за помощью к своему системному администратору.", "Couldn't send reset email. Please contact your administrator." : "Не удалось отправить письмо для сброса пароля. Свяжитесь со своим администратором.", "Password cannot be changed. Please contact your administrator." : "Пароль не может быть изменён. Свяжитесь со своим системным администратором.", - "Back to login" : "Вернуться на страницу входа", "New password" : "Новый пароль", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Ваши файлы хранятся в зашифрованном виде. После сброса пароля будет невозможно получить доступ к этим данным. Если вы не уверены, что делать дальше — обратитесь к своему системному администратору. Продолжить?", "I know what I'm doing" : "Я понимаю, что делаю", @@ -207,9 +205,25 @@ OC.L10N.register( "Login form is disabled." : "Форма входа отключена.", "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "Диалог входа отключен. Используйте другой способ входа или свяжитесь с администратором.", "More actions" : "Больше действий", + "Password is too weak" : "Пароль слишком слабый", + "Password is weak" : "Пароль слабый", + "Password is average" : "Пароль средний", + "Password is strong" : "Пароль надежный", + "Password is very strong" : "Пароль очень надежный", + "Password is extremely strong" : "Пароль очень надежный", + "Unknown password strength" : "Неизвестная надежность пароля", + "Your data directory and files are probably accessible from the internet because the <code>.htaccess</code> file does not work." : "Ваш каталог данных и файлы, вероятно, доступны из Интернета, поскольку файл <code>.htaccess</code> не работает.", + "For information how to properly configure your server, please {linkStart}see the documentation{linkEnd}" : "Информацию о том, как правильно настроить сервер,{linkStart} смотрите в документации.{linkEnd}", + "Autoconfig file detected" : "Обнаружен файл автоконфигурации", + "The setup form below is pre-filled with the values from the config file." : "Форма настройки ниже, предварительно заполнена значениями из файла конфигурации.", "Security warning" : "Предупреждение безопасности", + "Create administration account" : "Создать учетную запись администратора", + "Administration account name" : "Имя учетной записи администратора", + "Administration account password" : "Пароль учетной записи администратора", "Storage & database" : "Хранилище и база данных", "Data folder" : "Каталог с данными", + "Database configuration" : "Конфигурация базы данных", + "Only {firstAndOnlyDatabase} is available." : "Только {firstAndOnlyDatabase} доступно.", "Install and activate additional PHP modules to choose other database types." : "Установите и активируйте дополнительные модули PHP для возможности выбора других типов баз данных.", "For more details check out the documentation." : "За дополнительными сведениями обратитесь к документации.", "Performance warning" : "Предупреждение о производительности", @@ -222,6 +236,7 @@ OC.L10N.register( "Database tablespace" : "Табличное пространство базы данных", "Please specify the port number along with the host name (e.g., localhost:5432)." : "Пожалуйста укажите номер порта вместе с именем хоста (напр. localhost:5432)", "Database host" : "Хост базы данных", + "localhost" : "локальный хост", "Installing …" : "Установка ...", "Install" : "Установить", "Need help?" : "Требуется помощь?", diff --git a/core/l10n/ru.json b/core/l10n/ru.json index a9ed0bcd842..2e8f8a7f31b 100644 --- a/core/l10n/ru.json +++ b/core/l10n/ru.json @@ -144,23 +144,21 @@ "Account name" : "Имя учётной записи", "Server side authentication failed!" : "Ошибка аутентификации на стороне сервера!", "Please contact your administrator." : "Обратитесь к своему администратору.", - "Temporary error" : "Временная ошибка", - "Please try again." : "Попробуйте ещё раз.", "An internal error occurred." : "Произошла внутренняя ошибка.", "Please try again or contact your administrator." : "Попробуйте ещё раз или свяжитесь со своим администратором", "Password" : "Пароль", "Log in with a device" : "Войти с устройства", "Login or email" : "Имя пользователя или адрес эл. почты", "Your account is not setup for passwordless login." : "Ваша учётная запись не настроена на вход без пароля.", - "Browser not supported" : "Используемый браузер не поддерживается", - "Passwordless authentication is not supported in your browser." : "Ваш браузер не поддерживает безпарольную аутентификацию", "Your connection is not secure" : "Соединение установлено с использованием небезопасного протокола", "Passwordless authentication is only available over a secure connection." : "Вход без пароля возможет только через защищённое соединение", + "Browser not supported" : "Используемый браузер не поддерживается", + "Passwordless authentication is not supported in your browser." : "Ваш браузер не поддерживает безпарольную аутентификацию", "Reset password" : "Сбросить пароль", + "Back to login" : "Вернуться на страницу входа", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Если эта учётная запись существует, на ее адрес электронной почты было отправлено сообщение о сбросе пароля. Если вы его не получили, подтвердите свой адрес электронной почты и/или имя учетной записи, проверьте папки со спамом/нежелательной почтой или обратитесь за помощью к своему системному администратору.", "Couldn't send reset email. Please contact your administrator." : "Не удалось отправить письмо для сброса пароля. Свяжитесь со своим администратором.", "Password cannot be changed. Please contact your administrator." : "Пароль не может быть изменён. Свяжитесь со своим системным администратором.", - "Back to login" : "Вернуться на страницу входа", "New password" : "Новый пароль", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Ваши файлы хранятся в зашифрованном виде. После сброса пароля будет невозможно получить доступ к этим данным. Если вы не уверены, что делать дальше — обратитесь к своему системному администратору. Продолжить?", "I know what I'm doing" : "Я понимаю, что делаю", @@ -205,9 +203,25 @@ "Login form is disabled." : "Форма входа отключена.", "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "Диалог входа отключен. Используйте другой способ входа или свяжитесь с администратором.", "More actions" : "Больше действий", + "Password is too weak" : "Пароль слишком слабый", + "Password is weak" : "Пароль слабый", + "Password is average" : "Пароль средний", + "Password is strong" : "Пароль надежный", + "Password is very strong" : "Пароль очень надежный", + "Password is extremely strong" : "Пароль очень надежный", + "Unknown password strength" : "Неизвестная надежность пароля", + "Your data directory and files are probably accessible from the internet because the <code>.htaccess</code> file does not work." : "Ваш каталог данных и файлы, вероятно, доступны из Интернета, поскольку файл <code>.htaccess</code> не работает.", + "For information how to properly configure your server, please {linkStart}see the documentation{linkEnd}" : "Информацию о том, как правильно настроить сервер,{linkStart} смотрите в документации.{linkEnd}", + "Autoconfig file detected" : "Обнаружен файл автоконфигурации", + "The setup form below is pre-filled with the values from the config file." : "Форма настройки ниже, предварительно заполнена значениями из файла конфигурации.", "Security warning" : "Предупреждение безопасности", + "Create administration account" : "Создать учетную запись администратора", + "Administration account name" : "Имя учетной записи администратора", + "Administration account password" : "Пароль учетной записи администратора", "Storage & database" : "Хранилище и база данных", "Data folder" : "Каталог с данными", + "Database configuration" : "Конфигурация базы данных", + "Only {firstAndOnlyDatabase} is available." : "Только {firstAndOnlyDatabase} доступно.", "Install and activate additional PHP modules to choose other database types." : "Установите и активируйте дополнительные модули PHP для возможности выбора других типов баз данных.", "For more details check out the documentation." : "За дополнительными сведениями обратитесь к документации.", "Performance warning" : "Предупреждение о производительности", @@ -220,6 +234,7 @@ "Database tablespace" : "Табличное пространство базы данных", "Please specify the port number along with the host name (e.g., localhost:5432)." : "Пожалуйста укажите номер порта вместе с именем хоста (напр. localhost:5432)", "Database host" : "Хост базы данных", + "localhost" : "локальный хост", "Installing …" : "Установка ...", "Install" : "Установить", "Need help?" : "Требуется помощь?", diff --git a/core/l10n/sc.js b/core/l10n/sc.js index 6f72c3c19a3..414dbef7a20 100644 --- a/core/l10n/sc.js +++ b/core/l10n/sc.js @@ -120,21 +120,19 @@ OC.L10N.register( "Account name or email" : "Nùmene de su contu o indiritzu de posta", "Server side authentication failed!" : "Autenticatzione de s'ala de su serbidore faddida!", "Please contact your administrator." : "Cuntata s'amministratzione.", - "Temporary error" : "Errore temporàneu", - "Please try again." : "Torra·nce a proare", "An internal error occurred." : "B'at àpidu un'errore internu.", "Please try again or contact your administrator." : "Torra a proare o cuntata s'amministratzione.", "Password" : "Crae", "Log in with a device" : "Autentica·ti cun unu dispositivu", "Your account is not setup for passwordless login." : "Su contu tuo no est fatu pro autenticatziones chene crae.", - "Browser not supported" : "Navigadore non suportadu", - "Passwordless authentication is not supported in your browser." : "S'autenticatzione chene crae no est suportada in su navigadore tuo.", "Your connection is not secure" : "Sa connessione tua no est segura", "Passwordless authentication is only available over a secure connection." : "S'autenticatzione chene crae est a disponimentu isceti cun connessiones seguras.", + "Browser not supported" : "Navigadore non suportadu", + "Passwordless authentication is not supported in your browser." : "S'autenticatzione chene crae no est suportada in su navigadore tuo.", "Reset password" : "Riprìstina sa crae", + "Back to login" : "Torra a s'autenticatzione", "Couldn't send reset email. Please contact your administrator." : "No at fatu a ripristinare sa posta eletrònica. Cuntata s'amministratzione.", "Password cannot be changed. Please contact your administrator." : "Sa crae non faghet a dda cambiare. Cuntata s'amministratzione.", - "Back to login" : "Torra a s'autenticatzione", "New password" : "Crae noa", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Is archìvios sunt critografados. Non ddoe at a èssere manera pro tènnere is datos a pustis de su riprìstinu de sa crae. Si tenes dudas, cuntata s'amministratzione in antis. A beru boles sighire?", "I know what I'm doing" : "Giai dd'isco ite so faghinde", diff --git a/core/l10n/sc.json b/core/l10n/sc.json index 32bf9076bc1..50ea483140a 100644 --- a/core/l10n/sc.json +++ b/core/l10n/sc.json @@ -118,21 +118,19 @@ "Account name or email" : "Nùmene de su contu o indiritzu de posta", "Server side authentication failed!" : "Autenticatzione de s'ala de su serbidore faddida!", "Please contact your administrator." : "Cuntata s'amministratzione.", - "Temporary error" : "Errore temporàneu", - "Please try again." : "Torra·nce a proare", "An internal error occurred." : "B'at àpidu un'errore internu.", "Please try again or contact your administrator." : "Torra a proare o cuntata s'amministratzione.", "Password" : "Crae", "Log in with a device" : "Autentica·ti cun unu dispositivu", "Your account is not setup for passwordless login." : "Su contu tuo no est fatu pro autenticatziones chene crae.", - "Browser not supported" : "Navigadore non suportadu", - "Passwordless authentication is not supported in your browser." : "S'autenticatzione chene crae no est suportada in su navigadore tuo.", "Your connection is not secure" : "Sa connessione tua no est segura", "Passwordless authentication is only available over a secure connection." : "S'autenticatzione chene crae est a disponimentu isceti cun connessiones seguras.", + "Browser not supported" : "Navigadore non suportadu", + "Passwordless authentication is not supported in your browser." : "S'autenticatzione chene crae no est suportada in su navigadore tuo.", "Reset password" : "Riprìstina sa crae", + "Back to login" : "Torra a s'autenticatzione", "Couldn't send reset email. Please contact your administrator." : "No at fatu a ripristinare sa posta eletrònica. Cuntata s'amministratzione.", "Password cannot be changed. Please contact your administrator." : "Sa crae non faghet a dda cambiare. Cuntata s'amministratzione.", - "Back to login" : "Torra a s'autenticatzione", "New password" : "Crae noa", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Is archìvios sunt critografados. Non ddoe at a èssere manera pro tènnere is datos a pustis de su riprìstinu de sa crae. Si tenes dudas, cuntata s'amministratzione in antis. A beru boles sighire?", "I know what I'm doing" : "Giai dd'isco ite so faghinde", diff --git a/core/l10n/sk.js b/core/l10n/sk.js index 2afe00d3b1f..1c55f51f3f0 100644 --- a/core/l10n/sk.js +++ b/core/l10n/sk.js @@ -146,23 +146,23 @@ OC.L10N.register( "Account name" : "Názov účtu", "Server side authentication failed!" : "Autentifikácia na serveri zlyhala!", "Please contact your administrator." : "Kontaktujte prosím vášho administrátora.", - "Temporary error" : "Dočasná chyba", - "Please try again." : "Prosím skúste to znova.", + "Session error" : "Chyba relácie", + "It appears your session token has expired, please refresh the page and try again." : "Zdá sa, že platnosť vášho tokenu relácie vypršala, obnovte stránku a skúste to znova.", "An internal error occurred." : "Došlo k vnútornej chybe.", "Please try again or contact your administrator." : "Skúste to znovu, alebo sa obráťte na vášho administrátora.", "Password" : "Heslo", "Log in with a device" : "Prihlásiť sa pomocou zariadenia", "Login or email" : "Prihlasovacie meno alebo email", "Your account is not setup for passwordless login." : "Váš účet nie je nastavený pre bezheslové overovanie.", - "Browser not supported" : "Prehliadač nie je podporovaný", - "Passwordless authentication is not supported in your browser." : "Bezheslové overovanie nie je vo vašom prehliadači podporované.", "Your connection is not secure" : "Pripojenie nie je bezpečné", "Passwordless authentication is only available over a secure connection." : "Bezheslové overovanie je dostupné len pomocou šifrovaného pripojenia.", + "Browser not supported" : "Prehliadač nie je podporovaný", + "Passwordless authentication is not supported in your browser." : "Bezheslové overovanie nie je vo vašom prehliadači podporované.", "Reset password" : "Obnovenie hesla", + "Back to login" : "Späť na prihlásenie", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Ak tento účet existuje, na jeho e-mailovú adresu bola odoslaná správa pre obnovenie hesla. Ak ju nedostanete, overte si svoju e-mailovú adresu a/alebo Login, skontrolujte svoje spam/junk priečinky alebo požiadajte o pomoc miestneho administrátora.", "Couldn't send reset email. Please contact your administrator." : "Nemožno poslať email pre obnovu. Kontaktujte prosím vášho administrátora.", "Password cannot be changed. Please contact your administrator." : "Heslo nemožno zmeniť. Kontaktujte prosím vášho administrátora.", - "Back to login" : "Späť na prihlásenie", "New password" : "Nové heslo", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Vaše súbory sú šifrované. Po obnovení hesla nebude možné dostať sa k vašim údajom. Ak neviete, čo robíte, kontaktujte vášho administrátora a až potom pokračujte. Naozaj chcete pokračovať?", "I know what I'm doing" : "Viem, čo robím", @@ -207,9 +207,25 @@ OC.L10N.register( "Login form is disabled." : "Prihlasovací formulár je vypnutý.", "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "Prihlasovanie do Nextcloud je zakázané. Použite inú možnosť prihlásenia, ak je k dispozícii, alebo kontaktujte svojho administrátora.", "More actions" : "Viac akcií", + "Password is too weak" : "Heslo je príliš jednoduché", + "Password is weak" : "Heslo je jednoduché", + "Password is average" : "Heslo je priemerné", + "Password is strong" : "Heslo je silné", + "Password is very strong" : "Heslo je veľmi silné", + "Password is extremely strong" : "Heslo je extrémne silné", + "Unknown password strength" : "Neznáma sila hesla", + "Your data directory and files are probably accessible from the internet because the <code>.htaccess</code> file does not work." : "Váš priečinok s dátami a súbormi je pravdepodobne dostupný z internetu, pretože súbor <code>.htaccess</code> nefunguje.", + "For information how to properly configure your server, please {linkStart}see the documentation{linkEnd}" : "Pre informácie o tom, ako správne nakonfigurovať server, prosím navštívte {linkStart} dokumentáciu {linkEnd}", + "Autoconfig file detected" : "Detekovaný súbor automatickej konfigurácie", + "The setup form below is pre-filled with the values from the config file." : "Inštalačný formulár nižšie je vopred vyplnený hodnotami z konfiguračného súboru.", "Security warning" : "Bezpečnostné varovanie", + "Create administration account" : "Vytvoriť účet administrátora", + "Administration account name" : "Názov účtu administrátora", + "Administration account password" : "Heslo účtu administrátora", "Storage & database" : "Úložisko & databáza", "Data folder" : "Priečinok dát", + "Database configuration" : "Konfigurácia Databáze", + "Only {firstAndOnlyDatabase} is available." : "Je dostupná iba {firstAndOnlyDatabase}", "Install and activate additional PHP modules to choose other database types." : "Pri výbere iného typu databázy bude potrebné nainštalovať a aktivovať ďalšie PHP moduly.", "For more details check out the documentation." : "Viac informácií nájdete v dokumentácii.", "Performance warning" : "Varovanie o výkone", @@ -222,6 +238,7 @@ OC.L10N.register( "Database tablespace" : "Tabuľkový priestor databázy", "Please specify the port number along with the host name (e.g., localhost:5432)." : "Zadajte číslo portu spolu s názvom hostiteľa (napr. localhost:5432).", "Database host" : "Server databázy", + "localhost" : "localhost", "Installing …" : "Inštalujem ...", "Install" : "Inštalovať", "Need help?" : "Potrebujete pomoc?", diff --git a/core/l10n/sk.json b/core/l10n/sk.json index df15fb253c9..aafa3987490 100644 --- a/core/l10n/sk.json +++ b/core/l10n/sk.json @@ -144,23 +144,23 @@ "Account name" : "Názov účtu", "Server side authentication failed!" : "Autentifikácia na serveri zlyhala!", "Please contact your administrator." : "Kontaktujte prosím vášho administrátora.", - "Temporary error" : "Dočasná chyba", - "Please try again." : "Prosím skúste to znova.", + "Session error" : "Chyba relácie", + "It appears your session token has expired, please refresh the page and try again." : "Zdá sa, že platnosť vášho tokenu relácie vypršala, obnovte stránku a skúste to znova.", "An internal error occurred." : "Došlo k vnútornej chybe.", "Please try again or contact your administrator." : "Skúste to znovu, alebo sa obráťte na vášho administrátora.", "Password" : "Heslo", "Log in with a device" : "Prihlásiť sa pomocou zariadenia", "Login or email" : "Prihlasovacie meno alebo email", "Your account is not setup for passwordless login." : "Váš účet nie je nastavený pre bezheslové overovanie.", - "Browser not supported" : "Prehliadač nie je podporovaný", - "Passwordless authentication is not supported in your browser." : "Bezheslové overovanie nie je vo vašom prehliadači podporované.", "Your connection is not secure" : "Pripojenie nie je bezpečné", "Passwordless authentication is only available over a secure connection." : "Bezheslové overovanie je dostupné len pomocou šifrovaného pripojenia.", + "Browser not supported" : "Prehliadač nie je podporovaný", + "Passwordless authentication is not supported in your browser." : "Bezheslové overovanie nie je vo vašom prehliadači podporované.", "Reset password" : "Obnovenie hesla", + "Back to login" : "Späť na prihlásenie", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Ak tento účet existuje, na jeho e-mailovú adresu bola odoslaná správa pre obnovenie hesla. Ak ju nedostanete, overte si svoju e-mailovú adresu a/alebo Login, skontrolujte svoje spam/junk priečinky alebo požiadajte o pomoc miestneho administrátora.", "Couldn't send reset email. Please contact your administrator." : "Nemožno poslať email pre obnovu. Kontaktujte prosím vášho administrátora.", "Password cannot be changed. Please contact your administrator." : "Heslo nemožno zmeniť. Kontaktujte prosím vášho administrátora.", - "Back to login" : "Späť na prihlásenie", "New password" : "Nové heslo", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Vaše súbory sú šifrované. Po obnovení hesla nebude možné dostať sa k vašim údajom. Ak neviete, čo robíte, kontaktujte vášho administrátora a až potom pokračujte. Naozaj chcete pokračovať?", "I know what I'm doing" : "Viem, čo robím", @@ -205,9 +205,25 @@ "Login form is disabled." : "Prihlasovací formulár je vypnutý.", "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "Prihlasovanie do Nextcloud je zakázané. Použite inú možnosť prihlásenia, ak je k dispozícii, alebo kontaktujte svojho administrátora.", "More actions" : "Viac akcií", + "Password is too weak" : "Heslo je príliš jednoduché", + "Password is weak" : "Heslo je jednoduché", + "Password is average" : "Heslo je priemerné", + "Password is strong" : "Heslo je silné", + "Password is very strong" : "Heslo je veľmi silné", + "Password is extremely strong" : "Heslo je extrémne silné", + "Unknown password strength" : "Neznáma sila hesla", + "Your data directory and files are probably accessible from the internet because the <code>.htaccess</code> file does not work." : "Váš priečinok s dátami a súbormi je pravdepodobne dostupný z internetu, pretože súbor <code>.htaccess</code> nefunguje.", + "For information how to properly configure your server, please {linkStart}see the documentation{linkEnd}" : "Pre informácie o tom, ako správne nakonfigurovať server, prosím navštívte {linkStart} dokumentáciu {linkEnd}", + "Autoconfig file detected" : "Detekovaný súbor automatickej konfigurácie", + "The setup form below is pre-filled with the values from the config file." : "Inštalačný formulár nižšie je vopred vyplnený hodnotami z konfiguračného súboru.", "Security warning" : "Bezpečnostné varovanie", + "Create administration account" : "Vytvoriť účet administrátora", + "Administration account name" : "Názov účtu administrátora", + "Administration account password" : "Heslo účtu administrátora", "Storage & database" : "Úložisko & databáza", "Data folder" : "Priečinok dát", + "Database configuration" : "Konfigurácia Databáze", + "Only {firstAndOnlyDatabase} is available." : "Je dostupná iba {firstAndOnlyDatabase}", "Install and activate additional PHP modules to choose other database types." : "Pri výbere iného typu databázy bude potrebné nainštalovať a aktivovať ďalšie PHP moduly.", "For more details check out the documentation." : "Viac informácií nájdete v dokumentácii.", "Performance warning" : "Varovanie o výkone", @@ -220,6 +236,7 @@ "Database tablespace" : "Tabuľkový priestor databázy", "Please specify the port number along with the host name (e.g., localhost:5432)." : "Zadajte číslo portu spolu s názvom hostiteľa (napr. localhost:5432).", "Database host" : "Server databázy", + "localhost" : "localhost", "Installing …" : "Inštalujem ...", "Install" : "Inštalovať", "Need help?" : "Potrebujete pomoc?", diff --git a/core/l10n/sl.js b/core/l10n/sl.js index bb88ba6991c..e84e3be1c78 100644 --- a/core/l10n/sl.js +++ b/core/l10n/sl.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "Ime računa", "Server side authentication failed!" : "Overitev na strani strežnika je spodletela!", "Please contact your administrator." : "Stopite v stik s skrbnikom sistema.", - "Temporary error" : "Začasna napaka", - "Please try again." : "Poskusite znova", "An internal error occurred." : "Prišlo je do notranje napake.", "Please try again or contact your administrator." : "Poskusite znova ali pa stopite v stik s skrbnikom sistema.", "Password" : "Geslo", "Log in with a device" : "Prijava z napravo", "Login or email" : "Prijavno ime ali elektronski naslov", "Your account is not setup for passwordless login." : "Račun ni nastavljen za brezgeselno prijavo.", - "Browser not supported" : "Trenutno uporabljen brskalnik ni podprt!", - "Passwordless authentication is not supported in your browser." : "Brezgeselna overitev v tem brskalniku ni podprta.", "Your connection is not secure" : "Vzpostavljena povezava ni varna", "Passwordless authentication is only available over a secure connection." : "Brezgeselna overitev je na voljo le prek vzpostavljene varne povezave.", + "Browser not supported" : "Trenutno uporabljen brskalnik ni podprt!", + "Passwordless authentication is not supported in your browser." : "Brezgeselna overitev v tem brskalniku ni podprta.", "Reset password" : "Ponastavi geslo", + "Back to login" : "Nazaj na prijavo", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Če račun obstaja, bo na elektronski naslov poslano sporočilo za ponastavitev gesla. Če ne prispe, preverite elektronski naslov, prijavne podatke, poglejte med neželeno pošte oziroma stopite v stik s skrbnikom sistema.", "Couldn't send reset email. Please contact your administrator." : "Ni mogoče poslati elektronskega sporočila za ponastavitev. Stopite v stik s skrbnikom sistema.", "Password cannot be changed. Please contact your administrator." : "Gesla ni mogoče spremeniti. Stopite v stik s skrbnikom.", - "Back to login" : "Nazaj na prijavo", "New password" : "Novo geslo", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Datoteke so šifrirane. Če niste omogočili obnovitvenega ključa, po ponastavitvi gesla dostop do datotek ne bo več mogoč.<br />Če niste prepričani, kaj storiti, stopite v stik s skrbnikom sistema.<br />Ali res želite nadaljevati?", "I know what I'm doing" : "Vem, kaj delam!", diff --git a/core/l10n/sl.json b/core/l10n/sl.json index 3d642396635..c44852ba3be 100644 --- a/core/l10n/sl.json +++ b/core/l10n/sl.json @@ -144,23 +144,21 @@ "Account name" : "Ime računa", "Server side authentication failed!" : "Overitev na strani strežnika je spodletela!", "Please contact your administrator." : "Stopite v stik s skrbnikom sistema.", - "Temporary error" : "Začasna napaka", - "Please try again." : "Poskusite znova", "An internal error occurred." : "Prišlo je do notranje napake.", "Please try again or contact your administrator." : "Poskusite znova ali pa stopite v stik s skrbnikom sistema.", "Password" : "Geslo", "Log in with a device" : "Prijava z napravo", "Login or email" : "Prijavno ime ali elektronski naslov", "Your account is not setup for passwordless login." : "Račun ni nastavljen za brezgeselno prijavo.", - "Browser not supported" : "Trenutno uporabljen brskalnik ni podprt!", - "Passwordless authentication is not supported in your browser." : "Brezgeselna overitev v tem brskalniku ni podprta.", "Your connection is not secure" : "Vzpostavljena povezava ni varna", "Passwordless authentication is only available over a secure connection." : "Brezgeselna overitev je na voljo le prek vzpostavljene varne povezave.", + "Browser not supported" : "Trenutno uporabljen brskalnik ni podprt!", + "Passwordless authentication is not supported in your browser." : "Brezgeselna overitev v tem brskalniku ni podprta.", "Reset password" : "Ponastavi geslo", + "Back to login" : "Nazaj na prijavo", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Če račun obstaja, bo na elektronski naslov poslano sporočilo za ponastavitev gesla. Če ne prispe, preverite elektronski naslov, prijavne podatke, poglejte med neželeno pošte oziroma stopite v stik s skrbnikom sistema.", "Couldn't send reset email. Please contact your administrator." : "Ni mogoče poslati elektronskega sporočila za ponastavitev. Stopite v stik s skrbnikom sistema.", "Password cannot be changed. Please contact your administrator." : "Gesla ni mogoče spremeniti. Stopite v stik s skrbnikom.", - "Back to login" : "Nazaj na prijavo", "New password" : "Novo geslo", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Datoteke so šifrirane. Če niste omogočili obnovitvenega ključa, po ponastavitvi gesla dostop do datotek ne bo več mogoč.<br />Če niste prepričani, kaj storiti, stopite v stik s skrbnikom sistema.<br />Ali res želite nadaljevati?", "I know what I'm doing" : "Vem, kaj delam!", diff --git a/core/l10n/sr.js b/core/l10n/sr.js index 80b770844ea..a22586d4d51 100644 --- a/core/l10n/sr.js +++ b/core/l10n/sr.js @@ -146,23 +146,23 @@ OC.L10N.register( "Account name" : "Име рачуна", "Server side authentication failed!" : "Потврда идентитета на серверу није успела!", "Please contact your administrator." : "Контактирајте вашег администратора.", - "Temporary error" : "Привремена грешка", - "Please try again." : "Молимо вас покушајте поново.", + "Session error" : "Грешка сесије", + "It appears your session token has expired, please refresh the page and try again." : "Изгледа да је истекао ваш жетон сесије, молимо вас да освежите страницу и покушате поново.", "An internal error occurred." : "Догодила се унутрашња грешка. ", "Please try again or contact your administrator." : "Покушајте поново или контактирајте вашег администратора.", "Password" : "Лозинка", "Log in with a device" : "Пријава са уређајем", "Login or email" : "Име за пријаву или и-мејл", "Your account is not setup for passwordless login." : "Ваш налог није подешен за пријаву без лозинке.", - "Browser not supported" : "Веб читач није подржан", - "Passwordless authentication is not supported in your browser." : "Ваш веб читач не подржава пријављивање без лозинке.", "Your connection is not secure" : "Ваша веза није безбедна", "Passwordless authentication is only available over a secure connection." : "Пријављивање без лозинке је доступно само на безбедним конекцијама.", + "Browser not supported" : "Веб читач није подржан", + "Passwordless authentication is not supported in your browser." : "Ваш веб читач не подржава пријављивање без лозинке.", "Reset password" : "Ресетуј лозинку", + "Back to login" : "Назад на пријаву", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Ако овај налог постоји, на његову и-мејл адресу је послата порука за ресетовање лозинке. Ако је не примите, потврдите своју и-мејл адресу и/или име за пријаву, проверите фолдере за нежељену пошту, или потражите помоћ свог локалног администратора.", "Couldn't send reset email. Please contact your administrator." : "Не могу да пошаљем поруку за ресетовање. Контактирајте администратора.", "Password cannot be changed. Please contact your administrator." : "Лозинка не може да се промени. Молимо вас контактирајте администратора.", - "Back to login" : "Назад на пријаву", "New password" : "Нова лозинка", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Ваши фајлови су шифровани. Не постоји ниједан начин да се Ваши подаци поврате ако се лозинка сад ресетује. Уколико нисте сигурни шта да радите, контактирајте Вашег администратора пре него што наставите. Да ли стварно желите да наставите?", "I know what I'm doing" : "Знам шта радим", diff --git a/core/l10n/sr.json b/core/l10n/sr.json index 966a8894876..401c298d68e 100644 --- a/core/l10n/sr.json +++ b/core/l10n/sr.json @@ -144,23 +144,23 @@ "Account name" : "Име рачуна", "Server side authentication failed!" : "Потврда идентитета на серверу није успела!", "Please contact your administrator." : "Контактирајте вашег администратора.", - "Temporary error" : "Привремена грешка", - "Please try again." : "Молимо вас покушајте поново.", + "Session error" : "Грешка сесије", + "It appears your session token has expired, please refresh the page and try again." : "Изгледа да је истекао ваш жетон сесије, молимо вас да освежите страницу и покушате поново.", "An internal error occurred." : "Догодила се унутрашња грешка. ", "Please try again or contact your administrator." : "Покушајте поново или контактирајте вашег администратора.", "Password" : "Лозинка", "Log in with a device" : "Пријава са уређајем", "Login or email" : "Име за пријаву или и-мејл", "Your account is not setup for passwordless login." : "Ваш налог није подешен за пријаву без лозинке.", - "Browser not supported" : "Веб читач није подржан", - "Passwordless authentication is not supported in your browser." : "Ваш веб читач не подржава пријављивање без лозинке.", "Your connection is not secure" : "Ваша веза није безбедна", "Passwordless authentication is only available over a secure connection." : "Пријављивање без лозинке је доступно само на безбедним конекцијама.", + "Browser not supported" : "Веб читач није подржан", + "Passwordless authentication is not supported in your browser." : "Ваш веб читач не подржава пријављивање без лозинке.", "Reset password" : "Ресетуј лозинку", + "Back to login" : "Назад на пријаву", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Ако овај налог постоји, на његову и-мејл адресу је послата порука за ресетовање лозинке. Ако је не примите, потврдите своју и-мејл адресу и/или име за пријаву, проверите фолдере за нежељену пошту, или потражите помоћ свог локалног администратора.", "Couldn't send reset email. Please contact your administrator." : "Не могу да пошаљем поруку за ресетовање. Контактирајте администратора.", "Password cannot be changed. Please contact your administrator." : "Лозинка не може да се промени. Молимо вас контактирајте администратора.", - "Back to login" : "Назад на пријаву", "New password" : "Нова лозинка", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Ваши фајлови су шифровани. Не постоји ниједан начин да се Ваши подаци поврате ако се лозинка сад ресетује. Уколико нисте сигурни шта да радите, контактирајте Вашег администратора пре него што наставите. Да ли стварно желите да наставите?", "I know what I'm doing" : "Знам шта радим", diff --git a/core/l10n/sv.js b/core/l10n/sv.js index eb31838f9a8..fc8e36dcbff 100644 --- a/core/l10n/sv.js +++ b/core/l10n/sv.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "Kontonamn", "Server side authentication failed!" : "Servern misslyckades med autentisering!", "Please contact your administrator." : "Kontakta din administratör.", - "Temporary error" : "Tillfälligt fel", - "Please try again." : "Försök igen.", "An internal error occurred." : "Ett internt fel uppstod.", "Please try again or contact your administrator." : "Försök igen eller kontakta din administratör.", "Password" : "Lösenord", "Log in with a device" : "Logga in med en enhet", "Login or email" : "Användarnamn eller e-post", "Your account is not setup for passwordless login." : "Ditt konto är inte inställt för inloggning utan lösenord.", - "Browser not supported" : "Webbläsaren stöds inte", - "Passwordless authentication is not supported in your browser." : "Lösenordsfri autentisering stöds inte i din webbläsare.", "Your connection is not secure" : "Din anslutning är inte säker", "Passwordless authentication is only available over a secure connection." : "Lösenordsfri autentisering är endast tillgänglig via en säker anslutning.", + "Browser not supported" : "Webbläsaren stöds inte", + "Passwordless authentication is not supported in your browser." : "Lösenordsfri autentisering stöds inte i din webbläsare.", "Reset password" : "Återställ lösenord", + "Back to login" : "Tillbaka till inloggning", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Om det här kontot finns har ett meddelande om lösenordsåterställning skickats till dess e-postadress. Om du inte får det, verifiera din e-postadress och/eller kontonamn, kontrollera dina skräppost-/skräpmappar eller be din lokala administration om hjälp.", "Couldn't send reset email. Please contact your administrator." : "Kunde inte skicka återställningsmejl. Kontakta din administratör.", "Password cannot be changed. Please contact your administrator." : "Lösenordet kan inte ändras. Vänligen kontakta din administratör.", - "Back to login" : "Tillbaka till inloggning", "New password" : "Nytt lösenord", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Dina filer är krypterade. Det kommer inte att finnas något sätt att få tillbaka din data efter att ditt lösenord har återställs. Om du är osäker på hur du ska göra, kontakta din administratör innan du fortsätter. Är du verkligen säker på att du vill fortsätta?", "I know what I'm doing" : "Jag vet vad jag gör", @@ -207,6 +205,13 @@ OC.L10N.register( "Login form is disabled." : "Inloggningsfomuläret är inaktiverat.", "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "Inloggningsformuläret är inaktiverat. Använd om tillgänglig en annan inloggnings-metod eller kontakta administrationen.", "More actions" : "Fler händelser", + "Password is too weak" : "Lösenordet är för svagt", + "Password is weak" : "Lösenordet är svagt", + "Password is average" : "Lösenordet är medelstarkt", + "Password is strong" : "Lösenordet är starkt", + "Password is very strong" : "Lösenordet är mycket starkt", + "Password is extremely strong" : "Lösenordet är extremt starkt", + "Unknown password strength" : "Okänd lösenordsstyrka", "Security warning" : "Säkerhetsvarning", "Storage & database" : "Lagring & databas", "Data folder" : "Datamapp", diff --git a/core/l10n/sv.json b/core/l10n/sv.json index 3b46a0a4069..959b36127bd 100644 --- a/core/l10n/sv.json +++ b/core/l10n/sv.json @@ -144,23 +144,21 @@ "Account name" : "Kontonamn", "Server side authentication failed!" : "Servern misslyckades med autentisering!", "Please contact your administrator." : "Kontakta din administratör.", - "Temporary error" : "Tillfälligt fel", - "Please try again." : "Försök igen.", "An internal error occurred." : "Ett internt fel uppstod.", "Please try again or contact your administrator." : "Försök igen eller kontakta din administratör.", "Password" : "Lösenord", "Log in with a device" : "Logga in med en enhet", "Login or email" : "Användarnamn eller e-post", "Your account is not setup for passwordless login." : "Ditt konto är inte inställt för inloggning utan lösenord.", - "Browser not supported" : "Webbläsaren stöds inte", - "Passwordless authentication is not supported in your browser." : "Lösenordsfri autentisering stöds inte i din webbläsare.", "Your connection is not secure" : "Din anslutning är inte säker", "Passwordless authentication is only available over a secure connection." : "Lösenordsfri autentisering är endast tillgänglig via en säker anslutning.", + "Browser not supported" : "Webbläsaren stöds inte", + "Passwordless authentication is not supported in your browser." : "Lösenordsfri autentisering stöds inte i din webbläsare.", "Reset password" : "Återställ lösenord", + "Back to login" : "Tillbaka till inloggning", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Om det här kontot finns har ett meddelande om lösenordsåterställning skickats till dess e-postadress. Om du inte får det, verifiera din e-postadress och/eller kontonamn, kontrollera dina skräppost-/skräpmappar eller be din lokala administration om hjälp.", "Couldn't send reset email. Please contact your administrator." : "Kunde inte skicka återställningsmejl. Kontakta din administratör.", "Password cannot be changed. Please contact your administrator." : "Lösenordet kan inte ändras. Vänligen kontakta din administratör.", - "Back to login" : "Tillbaka till inloggning", "New password" : "Nytt lösenord", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Dina filer är krypterade. Det kommer inte att finnas något sätt att få tillbaka din data efter att ditt lösenord har återställs. Om du är osäker på hur du ska göra, kontakta din administratör innan du fortsätter. Är du verkligen säker på att du vill fortsätta?", "I know what I'm doing" : "Jag vet vad jag gör", @@ -205,6 +203,13 @@ "Login form is disabled." : "Inloggningsfomuläret är inaktiverat.", "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "Inloggningsformuläret är inaktiverat. Använd om tillgänglig en annan inloggnings-metod eller kontakta administrationen.", "More actions" : "Fler händelser", + "Password is too weak" : "Lösenordet är för svagt", + "Password is weak" : "Lösenordet är svagt", + "Password is average" : "Lösenordet är medelstarkt", + "Password is strong" : "Lösenordet är starkt", + "Password is very strong" : "Lösenordet är mycket starkt", + "Password is extremely strong" : "Lösenordet är extremt starkt", + "Unknown password strength" : "Okänd lösenordsstyrka", "Security warning" : "Säkerhetsvarning", "Storage & database" : "Lagring & databas", "Data folder" : "Datamapp", diff --git a/core/l10n/th.js b/core/l10n/th.js index b1b50cac377..d41cb92f5a9 100644 --- a/core/l10n/th.js +++ b/core/l10n/th.js @@ -126,22 +126,20 @@ OC.L10N.register( "Account name" : "ชื่อบัญชี", "Server side authentication failed!" : "การรับรองความถูกต้องฝั่งเซิร์ฟเวอร์ล้มเหลว!", "Please contact your administrator." : "กรุณาติดต่อผู้ดูแลระบบ", - "Temporary error" : "ข้อผิดพลาดชั่วคราว", - "Please try again." : "กรุณาลองอีกครั้ง", "An internal error occurred." : "เกิดข้อผิดพลาดภายใน", "Please try again or contact your administrator." : "กรุณาลองอีกครั้งหรือติดต่อผู้ดูแลระบบ", "Password" : "รหัสผ่าน", "Log in with a device" : "เข้าสู่ระบบด้วยอุปกรณ์", "Login or email" : "ล็อกอินหรืออีเมล", "Your account is not setup for passwordless login." : "บัญชีของคุณยังไม่ได้ตั้งค่าการเข้าสู่ระบบแบบไร้รหัสผ่าน", - "Browser not supported" : "ไม่รองรับเบราว์เซอร์", - "Passwordless authentication is not supported in your browser." : "เบราว์เซอร์ของคุณไม่รองรับการรับรองความถูกต้องแบบไร้รหัสผ่าน", "Your connection is not secure" : "การเชื่อมต่อของคุณไม่ปลอดภัย", "Passwordless authentication is only available over a secure connection." : "สามารถใช้การรับรองความถูกต้องแบบไร้รหัสผ่านผ่านการเชื่อมต่อที่ปลอดภัยเท่านั้น", + "Browser not supported" : "ไม่รองรับเบราว์เซอร์", + "Passwordless authentication is not supported in your browser." : "เบราว์เซอร์ของคุณไม่รองรับการรับรองความถูกต้องแบบไร้รหัสผ่าน", "Reset password" : "ตั้งรหัสผ่านใหม่", + "Back to login" : "กลับสู่หน้าเข้าสู่ระบบ", "Couldn't send reset email. Please contact your administrator." : "ไม่สามารถส่งข้อมูลการตั้งค่าไปยังอีเมลของคุณ กรุณาติดต่อผู้ดูแลระบบ", "Password cannot be changed. Please contact your administrator." : "ไม่สามารถเปลี่ยนรหัสผ่าน กรุณาติดต่อผู้ดูแลระบบ", - "Back to login" : "กลับสู่หน้าเข้าสู่ระบบ", "New password" : "รหัสผ่านใหม่", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "ไฟล์ของคุณถูกเข้ารหัส คุณจะไม่สามารถรับข้อมูลของคุณกลับมาหลังจากที่ตั้งรหัสผ่านใหม่แล้ว หากคุณไม่แน่ใจว่าควรทำอย่างไร โปรดติดต่อผู้ดูแลระบบของคุณก่อนดำเนินการต่อ ต้องการดำเนินการต่อหรือไม่?", "I know what I'm doing" : "ฉันรู้ว่าฉันกำลังทำอะไรอยู่", diff --git a/core/l10n/th.json b/core/l10n/th.json index d43071f906e..5140125938f 100644 --- a/core/l10n/th.json +++ b/core/l10n/th.json @@ -124,22 +124,20 @@ "Account name" : "ชื่อบัญชี", "Server side authentication failed!" : "การรับรองความถูกต้องฝั่งเซิร์ฟเวอร์ล้มเหลว!", "Please contact your administrator." : "กรุณาติดต่อผู้ดูแลระบบ", - "Temporary error" : "ข้อผิดพลาดชั่วคราว", - "Please try again." : "กรุณาลองอีกครั้ง", "An internal error occurred." : "เกิดข้อผิดพลาดภายใน", "Please try again or contact your administrator." : "กรุณาลองอีกครั้งหรือติดต่อผู้ดูแลระบบ", "Password" : "รหัสผ่าน", "Log in with a device" : "เข้าสู่ระบบด้วยอุปกรณ์", "Login or email" : "ล็อกอินหรืออีเมล", "Your account is not setup for passwordless login." : "บัญชีของคุณยังไม่ได้ตั้งค่าการเข้าสู่ระบบแบบไร้รหัสผ่าน", - "Browser not supported" : "ไม่รองรับเบราว์เซอร์", - "Passwordless authentication is not supported in your browser." : "เบราว์เซอร์ของคุณไม่รองรับการรับรองความถูกต้องแบบไร้รหัสผ่าน", "Your connection is not secure" : "การเชื่อมต่อของคุณไม่ปลอดภัย", "Passwordless authentication is only available over a secure connection." : "สามารถใช้การรับรองความถูกต้องแบบไร้รหัสผ่านผ่านการเชื่อมต่อที่ปลอดภัยเท่านั้น", + "Browser not supported" : "ไม่รองรับเบราว์เซอร์", + "Passwordless authentication is not supported in your browser." : "เบราว์เซอร์ของคุณไม่รองรับการรับรองความถูกต้องแบบไร้รหัสผ่าน", "Reset password" : "ตั้งรหัสผ่านใหม่", + "Back to login" : "กลับสู่หน้าเข้าสู่ระบบ", "Couldn't send reset email. Please contact your administrator." : "ไม่สามารถส่งข้อมูลการตั้งค่าไปยังอีเมลของคุณ กรุณาติดต่อผู้ดูแลระบบ", "Password cannot be changed. Please contact your administrator." : "ไม่สามารถเปลี่ยนรหัสผ่าน กรุณาติดต่อผู้ดูแลระบบ", - "Back to login" : "กลับสู่หน้าเข้าสู่ระบบ", "New password" : "รหัสผ่านใหม่", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "ไฟล์ของคุณถูกเข้ารหัส คุณจะไม่สามารถรับข้อมูลของคุณกลับมาหลังจากที่ตั้งรหัสผ่านใหม่แล้ว หากคุณไม่แน่ใจว่าควรทำอย่างไร โปรดติดต่อผู้ดูแลระบบของคุณก่อนดำเนินการต่อ ต้องการดำเนินการต่อหรือไม่?", "I know what I'm doing" : "ฉันรู้ว่าฉันกำลังทำอะไรอยู่", diff --git a/core/l10n/tr.js b/core/l10n/tr.js index a911c743e06..961b5bdbce7 100644 --- a/core/l10n/tr.js +++ b/core/l10n/tr.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "Hesap adı", "Server side authentication failed!" : "Kimlik sunucu tarafında doğrulanamadı!", "Please contact your administrator." : "Lütfen BT yöneticiniz ile görüşün.", - "Temporary error" : "Geçici sorun", - "Please try again." : "Lütfen yeniden deneyin.", "An internal error occurred." : "İçeride bir sorun çıktı.", "Please try again or contact your administrator." : "Lütfen yeniden deneyin ya da BT yöneticiniz ile görüşün.", "Password" : "Parola", "Log in with a device" : "Bir aygıt ile oturum açın", "Login or email" : "Kullanıcı adı ya da e-posta", "Your account is not setup for passwordless login." : "Hesabınız parola kullanmadan oturum açılacak şekilde ayarlanmamış.", - "Browser not supported" : "Tarayıcı desteklenmiyor!", - "Passwordless authentication is not supported in your browser." : "Tarayıcınız parolasız kimlik doğrulama özelliğini desteklemiyor.", "Your connection is not secure" : "Bağlantınız güvenli değil", "Passwordless authentication is only available over a secure connection." : "Parolasız kimlik doğrulama özelliği yalnızca güvenli bir bağlantı üzerinden kullanılabilir.", + "Browser not supported" : "Tarayıcı desteklenmiyor!", + "Passwordless authentication is not supported in your browser." : "Tarayıcınız parolasız kimlik doğrulama özelliğini desteklemiyor.", "Reset password" : "Parolayı sıfırla", + "Back to login" : "Oturum açmaya geri dön", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Bu hesap varsa, e-posta adresine bir parola sıfırlama iletisi gönderilmiştir. Bunu almazsanız, e-posta adresinizi ve/veya kullanıcı adınızı doğrulayın, spam/önemsiz klasörlerinizi denetleyin ya da yerel yöneticinizden yardım isteyin.", "Couldn't send reset email. Please contact your administrator." : "Sıfırlama e-postası gönderilemedi. Lütfen BT yöneticiniz ile görüşün.", "Password cannot be changed. Please contact your administrator." : "Parola değiştirilemedi. Lütfen BT yöneticiniz ile görüşün.", - "Back to login" : "Oturum açmaya geri dön", "New password" : "Yeni parola", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Dosyalarınız şifrelendi. Parolanız sıfırlandıktan sonra verilerinizi geri almanın herhangi bir yolu olmayacak. Ne yapacağınızı bilmiyorsanız işlemi sürdürmeden önce BT yöneticiniz ile görüşün. İşlemi sürdürmek istediğinize emin misiniz? ", "I know what I'm doing" : "Ne yaptığımı biliyorum", diff --git a/core/l10n/tr.json b/core/l10n/tr.json index 3ba858c6e75..d9f3adfd8cb 100644 --- a/core/l10n/tr.json +++ b/core/l10n/tr.json @@ -144,23 +144,21 @@ "Account name" : "Hesap adı", "Server side authentication failed!" : "Kimlik sunucu tarafında doğrulanamadı!", "Please contact your administrator." : "Lütfen BT yöneticiniz ile görüşün.", - "Temporary error" : "Geçici sorun", - "Please try again." : "Lütfen yeniden deneyin.", "An internal error occurred." : "İçeride bir sorun çıktı.", "Please try again or contact your administrator." : "Lütfen yeniden deneyin ya da BT yöneticiniz ile görüşün.", "Password" : "Parola", "Log in with a device" : "Bir aygıt ile oturum açın", "Login or email" : "Kullanıcı adı ya da e-posta", "Your account is not setup for passwordless login." : "Hesabınız parola kullanmadan oturum açılacak şekilde ayarlanmamış.", - "Browser not supported" : "Tarayıcı desteklenmiyor!", - "Passwordless authentication is not supported in your browser." : "Tarayıcınız parolasız kimlik doğrulama özelliğini desteklemiyor.", "Your connection is not secure" : "Bağlantınız güvenli değil", "Passwordless authentication is only available over a secure connection." : "Parolasız kimlik doğrulama özelliği yalnızca güvenli bir bağlantı üzerinden kullanılabilir.", + "Browser not supported" : "Tarayıcı desteklenmiyor!", + "Passwordless authentication is not supported in your browser." : "Tarayıcınız parolasız kimlik doğrulama özelliğini desteklemiyor.", "Reset password" : "Parolayı sıfırla", + "Back to login" : "Oturum açmaya geri dön", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Bu hesap varsa, e-posta adresine bir parola sıfırlama iletisi gönderilmiştir. Bunu almazsanız, e-posta adresinizi ve/veya kullanıcı adınızı doğrulayın, spam/önemsiz klasörlerinizi denetleyin ya da yerel yöneticinizden yardım isteyin.", "Couldn't send reset email. Please contact your administrator." : "Sıfırlama e-postası gönderilemedi. Lütfen BT yöneticiniz ile görüşün.", "Password cannot be changed. Please contact your administrator." : "Parola değiştirilemedi. Lütfen BT yöneticiniz ile görüşün.", - "Back to login" : "Oturum açmaya geri dön", "New password" : "Yeni parola", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Dosyalarınız şifrelendi. Parolanız sıfırlandıktan sonra verilerinizi geri almanın herhangi bir yolu olmayacak. Ne yapacağınızı bilmiyorsanız işlemi sürdürmeden önce BT yöneticiniz ile görüşün. İşlemi sürdürmek istediğinize emin misiniz? ", "I know what I'm doing" : "Ne yaptığımı biliyorum", diff --git a/core/l10n/ug.js b/core/l10n/ug.js index 854a5d45ce2..f4b290030ef 100644 --- a/core/l10n/ug.js +++ b/core/l10n/ug.js @@ -143,23 +143,21 @@ OC.L10N.register( "Account name" : "ھېسابات ئىسمى", "Server side authentication failed!" : "مۇلازىمېتىر تەرەپ دەلىللەش مەغلۇپ بولدى!", "Please contact your administrator." : "باشقۇرغۇچىڭىز بىلەن ئالاقىلىشىڭ.", - "Temporary error" : "ۋاقىتلىق خاتالىق", - "Please try again." : "قايتا سىناڭ.", "An internal error occurred." : "ئىچكى خاتالىق كۆرۈلدى.", "Please try again or contact your administrator." : "قايتا سىناڭ ياكى باشقۇرغۇچىڭىز بىلەن ئالاقىلىشىڭ.", "Password" : "ئىم", "Log in with a device" : "ئۈسكۈنە بىلەن كىرىڭ", "Login or email" : "كىرىش ياكى ئېلخەت", "Your account is not setup for passwordless login." : "ھېساباتىڭىز پارولسىز كىرىش ئۈچۈن تەڭشەلمىدى.", - "Browser not supported" : "توركۆرگۈ قوللىمايدۇ", - "Passwordless authentication is not supported in your browser." : "توركۆرگۈڭىزدە پارولسىز دەلىللەشنى قوللىمايدۇ.", "Your connection is not secure" : "ئۇلىنىشىڭىز بىخەتەر ئەمەس", "Passwordless authentication is only available over a secure connection." : "پارولسىز دەلىللەش پەقەت بىخەتەر ئۇلىنىش ئارقىلىقلا بولىدۇ.", + "Browser not supported" : "توركۆرگۈ قوللىمايدۇ", + "Passwordless authentication is not supported in your browser." : "توركۆرگۈڭىزدە پارولسىز دەلىللەشنى قوللىمايدۇ.", "Reset password" : "پارولنى ئەسلىگە قايتۇرۇش", + "Back to login" : "قايتا كىرىش", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "ئەگەر بۇ ھېسابات مەۋجۇت بولسا ، ئېلېكترونلۇق خەت ئادرېسىغا پارولنى ئەسلىگە كەلتۈرۈش ئۇچۇرى ئەۋەتىلدى. ئەگەر ئۇنى تاپشۇرۇۋالمىسىڭىز ، ئېلېكترونلۇق خەت ئادرېسىڭىزنى ۋە ياكى ياكى تىزىملىتىپ كىرىڭ ، ئەخلەت خەت ساندۇقىڭىزنى تەكشۈرۈڭ ياكى يەرلىك ھۆكۈمەتتىن ياردەم سوراڭ.", "Couldn't send reset email. Please contact your administrator." : "قايتا ئېلېكترونلۇق خەت ئەۋەتەلمىدى. باشقۇرغۇچىڭىز بىلەن ئالاقىلىشىڭ.", "Password cannot be changed. Please contact your administrator." : "پارولنى ئۆزگەرتىشكە بولمايدۇ. باشقۇرغۇچىڭىز بىلەن ئالاقىلىشىڭ.", - "Back to login" : "قايتا كىرىش", "New password" : "يېڭى ئىم", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "ھۆججەتلىرىڭىز شىفىرلانغان. پارولىڭىز ئەسلىگە كەلگەندىن كېيىن سانلىق مەلۇماتلىرىڭىزنى قايتۇرۇۋېلىشقا ئامال يوق. نېمە قىلىشنى بىلمىسىڭىز ، داۋاملاشتۇرۇشتىن بۇرۇن باشقۇرغۇچىڭىز بىلەن ئالاقىلىشىڭ. داۋاملاشتۇرۇشنى خالامسىز؟", "I know what I'm doing" : "نېمە قىلىۋاتقانلىقىمنى بىلىمەن", diff --git a/core/l10n/ug.json b/core/l10n/ug.json index 15a56077ce2..9f9d1b0908b 100644 --- a/core/l10n/ug.json +++ b/core/l10n/ug.json @@ -141,23 +141,21 @@ "Account name" : "ھېسابات ئىسمى", "Server side authentication failed!" : "مۇلازىمېتىر تەرەپ دەلىللەش مەغلۇپ بولدى!", "Please contact your administrator." : "باشقۇرغۇچىڭىز بىلەن ئالاقىلىشىڭ.", - "Temporary error" : "ۋاقىتلىق خاتالىق", - "Please try again." : "قايتا سىناڭ.", "An internal error occurred." : "ئىچكى خاتالىق كۆرۈلدى.", "Please try again or contact your administrator." : "قايتا سىناڭ ياكى باشقۇرغۇچىڭىز بىلەن ئالاقىلىشىڭ.", "Password" : "ئىم", "Log in with a device" : "ئۈسكۈنە بىلەن كىرىڭ", "Login or email" : "كىرىش ياكى ئېلخەت", "Your account is not setup for passwordless login." : "ھېساباتىڭىز پارولسىز كىرىش ئۈچۈن تەڭشەلمىدى.", - "Browser not supported" : "توركۆرگۈ قوللىمايدۇ", - "Passwordless authentication is not supported in your browser." : "توركۆرگۈڭىزدە پارولسىز دەلىللەشنى قوللىمايدۇ.", "Your connection is not secure" : "ئۇلىنىشىڭىز بىخەتەر ئەمەس", "Passwordless authentication is only available over a secure connection." : "پارولسىز دەلىللەش پەقەت بىخەتەر ئۇلىنىش ئارقىلىقلا بولىدۇ.", + "Browser not supported" : "توركۆرگۈ قوللىمايدۇ", + "Passwordless authentication is not supported in your browser." : "توركۆرگۈڭىزدە پارولسىز دەلىللەشنى قوللىمايدۇ.", "Reset password" : "پارولنى ئەسلىگە قايتۇرۇش", + "Back to login" : "قايتا كىرىش", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "ئەگەر بۇ ھېسابات مەۋجۇت بولسا ، ئېلېكترونلۇق خەت ئادرېسىغا پارولنى ئەسلىگە كەلتۈرۈش ئۇچۇرى ئەۋەتىلدى. ئەگەر ئۇنى تاپشۇرۇۋالمىسىڭىز ، ئېلېكترونلۇق خەت ئادرېسىڭىزنى ۋە ياكى ياكى تىزىملىتىپ كىرىڭ ، ئەخلەت خەت ساندۇقىڭىزنى تەكشۈرۈڭ ياكى يەرلىك ھۆكۈمەتتىن ياردەم سوراڭ.", "Couldn't send reset email. Please contact your administrator." : "قايتا ئېلېكترونلۇق خەت ئەۋەتەلمىدى. باشقۇرغۇچىڭىز بىلەن ئالاقىلىشىڭ.", "Password cannot be changed. Please contact your administrator." : "پارولنى ئۆزگەرتىشكە بولمايدۇ. باشقۇرغۇچىڭىز بىلەن ئالاقىلىشىڭ.", - "Back to login" : "قايتا كىرىش", "New password" : "يېڭى ئىم", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "ھۆججەتلىرىڭىز شىفىرلانغان. پارولىڭىز ئەسلىگە كەلگەندىن كېيىن سانلىق مەلۇماتلىرىڭىزنى قايتۇرۇۋېلىشقا ئامال يوق. نېمە قىلىشنى بىلمىسىڭىز ، داۋاملاشتۇرۇشتىن بۇرۇن باشقۇرغۇچىڭىز بىلەن ئالاقىلىشىڭ. داۋاملاشتۇرۇشنى خالامسىز؟", "I know what I'm doing" : "نېمە قىلىۋاتقانلىقىمنى بىلىمەن", diff --git a/core/l10n/uk.js b/core/l10n/uk.js index 54e94844454..75fa439548e 100644 --- a/core/l10n/uk.js +++ b/core/l10n/uk.js @@ -146,23 +146,23 @@ OC.L10N.register( "Account name" : "Назва облікового запису", "Server side authentication failed!" : "Невдала авторизація на стороні сервера!", "Please contact your administrator." : "Будь ласка, зверніться до вашого Адміністратора.", - "Temporary error" : "Тимчасова помилка", - "Please try again." : "Спробуйте ще раз.", + "Session error" : "Помилка сеансу", + "It appears your session token has expired, please refresh the page and try again." : "Здається, термін дії вашого токену сеансу закінчився, будь ласка, оновіть сторінку і спробуйте ще раз.", "An internal error occurred." : "Виникла внутрішня помилка.", "Please try again or contact your administrator." : "Будь ласка, спробуйте ще раз або зверніться до адміністратора.", "Password" : "Пароль", "Log in with a device" : "Увійти за допомогою пристрою", "Login or email" : "Ім'я облікового запису або адреса ел.пошти", "Your account is not setup for passwordless login." : "Ваш обліковий запис не налаштовано на безпарольний вхід.", - "Browser not supported" : "Оглядач не підтримується", - "Passwordless authentication is not supported in your browser." : "Ваш браузер не підтримує безпарольний вхід.", "Your connection is not secure" : "Ваше зʼєднання не захищене", "Passwordless authentication is only available over a secure connection." : "Авторизація без пароля можлива лише при безпечному з'єднанні.", + "Browser not supported" : "Оглядач не підтримується", + "Passwordless authentication is not supported in your browser." : "Ваш браузер не підтримує безпарольний вхід.", "Reset password" : "Відновити пароль", + "Back to login" : "Повернутися на сторінку входу", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "На вашу ел.адресу було надіслано повідомлення про зміну пароля. Якщо ви його не отримали, перевірте адресу ел.пошти, ім'я користувача, скриньку зі спамом або зверніться до адміністратора.", "Couldn't send reset email. Please contact your administrator." : "Не вдалося надіслати повідомлення для відновлення пароля. Прохання сконтактувати з адміністратором.", "Password cannot be changed. Please contact your administrator." : "Пароль не можна змінити. Будь ласка, зверніться до свого адміністратора.", - "Back to login" : "Повернутися на сторінку входу", "New password" : "Новий пароль", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Ваші файли зашифровано. У разі перевстановлення паролю ви не зможете отримати доступ до них. Якщо ви не впевнені, що робити, будь ласка, сконтактуйте з адміністратором перед продовженням. Дійсно продовжити?", "I know what I'm doing" : "Я знаю що роблю", @@ -207,9 +207,25 @@ OC.L10N.register( "Login form is disabled." : "Форма входу вимкнена.", "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "Форму авторизації у хмарі Nextcloud вимкнено. Скористайтеся іншим способом входу, якщо є така можливість, або сконтактуйте з адміністратором.", "More actions" : "Більше дій", + "Password is too weak" : "Занадто простий пароль ", + "Password is weak" : "Простий пароль", + "Password is average" : "Пароль середньої складності", + "Password is strong" : "Надійний пароль ", + "Password is very strong" : "Пароль дуже надійний", + "Password is extremely strong" : "Надзвичайно надійний пароль", + "Unknown password strength" : "Невідома ефективність паролю", + "Your data directory and files are probably accessible from the internet because the <code>.htaccess</code> file does not work." : "Ваш каталог з даними та файли скоріш за все публічно доступні в Інтернеті, оскільки файл <code>.htaccess</code> не налаштовано відповідним чином. ", + "For information how to properly configure your server, please {linkStart}see the documentation{linkEnd}" : "Ознайомтеся з{linkStart}документацію{linkEnd} з налаштування сервера.", + "Autoconfig file detected" : "Виявлено файл автоконфігурації", + "The setup form below is pre-filled with the values from the config file." : "Форму для налаштування попередньо заповнено значеннями з файлу конфігурації.", "Security warning" : "Попередження безпеки", + "Create administration account" : "Створіть обліковий запис адміністратора", + "Administration account name" : "Ім'я облікового запису адміністратора", + "Administration account password" : "Пароль облікового запису адміністратора", "Storage & database" : "Сховище і база даних", "Data folder" : "Каталог з даними", + "Database configuration" : "Конфігурація бази даних", + "Only {firstAndOnlyDatabase} is available." : "Лише {firstAndOnlyDatabase} доступна для вибору.", "Install and activate additional PHP modules to choose other database types." : "Встановіть та активуйте додаткові модулі PHP, щоб вибрати інший тип БД.", "For more details check out the documentation." : "За подробицями зверніться до документації.", "Performance warning" : "Попередження продуктивності", @@ -222,6 +238,7 @@ OC.L10N.register( "Database tablespace" : "Таблиця бази даних", "Please specify the port number along with the host name (e.g., localhost:5432)." : "Будь ласка, вкажіть номер порту поряд з ім'ям вузла (напр., localhost:5432).", "Database host" : "Вузол бази даних", + "localhost" : "localhost", "Installing …" : "Встановлення…", "Install" : "Встановити", "Need help?" : "Потрібна допомога?", diff --git a/core/l10n/uk.json b/core/l10n/uk.json index defade8f114..b3c3730c4d7 100644 --- a/core/l10n/uk.json +++ b/core/l10n/uk.json @@ -144,23 +144,23 @@ "Account name" : "Назва облікового запису", "Server side authentication failed!" : "Невдала авторизація на стороні сервера!", "Please contact your administrator." : "Будь ласка, зверніться до вашого Адміністратора.", - "Temporary error" : "Тимчасова помилка", - "Please try again." : "Спробуйте ще раз.", + "Session error" : "Помилка сеансу", + "It appears your session token has expired, please refresh the page and try again." : "Здається, термін дії вашого токену сеансу закінчився, будь ласка, оновіть сторінку і спробуйте ще раз.", "An internal error occurred." : "Виникла внутрішня помилка.", "Please try again or contact your administrator." : "Будь ласка, спробуйте ще раз або зверніться до адміністратора.", "Password" : "Пароль", "Log in with a device" : "Увійти за допомогою пристрою", "Login or email" : "Ім'я облікового запису або адреса ел.пошти", "Your account is not setup for passwordless login." : "Ваш обліковий запис не налаштовано на безпарольний вхід.", - "Browser not supported" : "Оглядач не підтримується", - "Passwordless authentication is not supported in your browser." : "Ваш браузер не підтримує безпарольний вхід.", "Your connection is not secure" : "Ваше зʼєднання не захищене", "Passwordless authentication is only available over a secure connection." : "Авторизація без пароля можлива лише при безпечному з'єднанні.", + "Browser not supported" : "Оглядач не підтримується", + "Passwordless authentication is not supported in your browser." : "Ваш браузер не підтримує безпарольний вхід.", "Reset password" : "Відновити пароль", + "Back to login" : "Повернутися на сторінку входу", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "На вашу ел.адресу було надіслано повідомлення про зміну пароля. Якщо ви його не отримали, перевірте адресу ел.пошти, ім'я користувача, скриньку зі спамом або зверніться до адміністратора.", "Couldn't send reset email. Please contact your administrator." : "Не вдалося надіслати повідомлення для відновлення пароля. Прохання сконтактувати з адміністратором.", "Password cannot be changed. Please contact your administrator." : "Пароль не можна змінити. Будь ласка, зверніться до свого адміністратора.", - "Back to login" : "Повернутися на сторінку входу", "New password" : "Новий пароль", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Ваші файли зашифровано. У разі перевстановлення паролю ви не зможете отримати доступ до них. Якщо ви не впевнені, що робити, будь ласка, сконтактуйте з адміністратором перед продовженням. Дійсно продовжити?", "I know what I'm doing" : "Я знаю що роблю", @@ -205,9 +205,25 @@ "Login form is disabled." : "Форма входу вимкнена.", "The Nextcloud login form is disabled. Use another login option if available or contact your administration." : "Форму авторизації у хмарі Nextcloud вимкнено. Скористайтеся іншим способом входу, якщо є така можливість, або сконтактуйте з адміністратором.", "More actions" : "Більше дій", + "Password is too weak" : "Занадто простий пароль ", + "Password is weak" : "Простий пароль", + "Password is average" : "Пароль середньої складності", + "Password is strong" : "Надійний пароль ", + "Password is very strong" : "Пароль дуже надійний", + "Password is extremely strong" : "Надзвичайно надійний пароль", + "Unknown password strength" : "Невідома ефективність паролю", + "Your data directory and files are probably accessible from the internet because the <code>.htaccess</code> file does not work." : "Ваш каталог з даними та файли скоріш за все публічно доступні в Інтернеті, оскільки файл <code>.htaccess</code> не налаштовано відповідним чином. ", + "For information how to properly configure your server, please {linkStart}see the documentation{linkEnd}" : "Ознайомтеся з{linkStart}документацію{linkEnd} з налаштування сервера.", + "Autoconfig file detected" : "Виявлено файл автоконфігурації", + "The setup form below is pre-filled with the values from the config file." : "Форму для налаштування попередньо заповнено значеннями з файлу конфігурації.", "Security warning" : "Попередження безпеки", + "Create administration account" : "Створіть обліковий запис адміністратора", + "Administration account name" : "Ім'я облікового запису адміністратора", + "Administration account password" : "Пароль облікового запису адміністратора", "Storage & database" : "Сховище і база даних", "Data folder" : "Каталог з даними", + "Database configuration" : "Конфігурація бази даних", + "Only {firstAndOnlyDatabase} is available." : "Лише {firstAndOnlyDatabase} доступна для вибору.", "Install and activate additional PHP modules to choose other database types." : "Встановіть та активуйте додаткові модулі PHP, щоб вибрати інший тип БД.", "For more details check out the documentation." : "За подробицями зверніться до документації.", "Performance warning" : "Попередження продуктивності", @@ -220,6 +236,7 @@ "Database tablespace" : "Таблиця бази даних", "Please specify the port number along with the host name (e.g., localhost:5432)." : "Будь ласка, вкажіть номер порту поряд з ім'ям вузла (напр., localhost:5432).", "Database host" : "Вузол бази даних", + "localhost" : "localhost", "Installing …" : "Встановлення…", "Install" : "Встановити", "Need help?" : "Потрібна допомога?", diff --git a/core/l10n/uz.js b/core/l10n/uz.js index d89dd242b89..0ed17bfbe56 100644 --- a/core/l10n/uz.js +++ b/core/l10n/uz.js @@ -146,23 +146,21 @@ OC.L10N.register( "Account name" : "Akkaunt nomi", "Server side authentication failed!" : "Server tomoni autentifikatsiyasi muvaffaqiyatsiz tugadi!", "Please contact your administrator." : "Iltimos, administratoringizga murojaat qiling.", - "Temporary error" : "Hozirda xatolik", - "Please try again." : "Iltimos, qayta urinib ko'ring.", "An internal error occurred." : "Ichki xato yuz berdi.", "Please try again or contact your administrator." : "Iltimos, qayta urinib ko'ring yoki administratoringizga murojaat qiling.", "Password" : "Parol", "Log in with a device" : "Qurilma orqali tizimga kiring", "Login or email" : "Login yoki elektron pochta", "Your account is not setup for passwordless login." : "Sizning akkauntingiz parolsiz kirish uchun sozlanmagan.", - "Browser not supported" : "Brauzer qo'llab-quvvatlanmaydi", - "Passwordless authentication is not supported in your browser." : "Parolsiz autentifikatsiya brauzeringizda mavjud emas.", "Your connection is not secure" : "Sizning ulanishingiz xavfsiz emas", "Passwordless authentication is only available over a secure connection." : "Parolsiz autentifikatsiya faqat xavfsiz ulanish orqali mavjud.", + "Browser not supported" : "Brauzer qo'llab-quvvatlanmaydi", + "Passwordless authentication is not supported in your browser." : "Parolsiz autentifikatsiya brauzeringizda mavjud emas.", "Reset password" : "Parolni tiklash", + "Back to login" : "Kirishga qaytish", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Agar ushbu hisob mavjud bo'lsa, uning elektron pochta manziliga parolni tiklash to'g'risida xabar yuborilgan. Agar siz uni qabul qilmasangiz, elektron pochta manzilingizni va/yoki loginingizni tasdiqlang, spam/keraksiz papkalarni tekshiring yoki mahalliy ma'muriyatdan yordam so'rang.", "Couldn't send reset email. Please contact your administrator." : "Elektron pochtasini qayta tiklash xabarini yuborib bo'lmadi. Iltimos, administratoringizga murojaat qiling.", "Password cannot be changed. Please contact your administrator." : "Parolni o'zgartirib bo'lmaydi. Iltimos, administratoringizga murojaat qiling.", - "Back to login" : "Kirishga qaytish", "New password" : "Yangi parol", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Fayllaringiz shifrlangan. Parolingiz tiklangandan so'ng ma'lumotlaringizni qaytarib olishning hech qanday usuli bo'lmaydi. Agar nima qilishni bilmasangiz, davom etishdan oldin administratoringizga murojaat qiling. Siz haqiqatan ham davom etishni xohlaysizmi?", "I know what I'm doing" : "Men nima qilayotganimni bilaman", diff --git a/core/l10n/uz.json b/core/l10n/uz.json index 7dda342ef0c..2a3284a294a 100644 --- a/core/l10n/uz.json +++ b/core/l10n/uz.json @@ -144,23 +144,21 @@ "Account name" : "Akkaunt nomi", "Server side authentication failed!" : "Server tomoni autentifikatsiyasi muvaffaqiyatsiz tugadi!", "Please contact your administrator." : "Iltimos, administratoringizga murojaat qiling.", - "Temporary error" : "Hozirda xatolik", - "Please try again." : "Iltimos, qayta urinib ko'ring.", "An internal error occurred." : "Ichki xato yuz berdi.", "Please try again or contact your administrator." : "Iltimos, qayta urinib ko'ring yoki administratoringizga murojaat qiling.", "Password" : "Parol", "Log in with a device" : "Qurilma orqali tizimga kiring", "Login or email" : "Login yoki elektron pochta", "Your account is not setup for passwordless login." : "Sizning akkauntingiz parolsiz kirish uchun sozlanmagan.", - "Browser not supported" : "Brauzer qo'llab-quvvatlanmaydi", - "Passwordless authentication is not supported in your browser." : "Parolsiz autentifikatsiya brauzeringizda mavjud emas.", "Your connection is not secure" : "Sizning ulanishingiz xavfsiz emas", "Passwordless authentication is only available over a secure connection." : "Parolsiz autentifikatsiya faqat xavfsiz ulanish orqali mavjud.", + "Browser not supported" : "Brauzer qo'llab-quvvatlanmaydi", + "Passwordless authentication is not supported in your browser." : "Parolsiz autentifikatsiya brauzeringizda mavjud emas.", "Reset password" : "Parolni tiklash", + "Back to login" : "Kirishga qaytish", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Agar ushbu hisob mavjud bo'lsa, uning elektron pochta manziliga parolni tiklash to'g'risida xabar yuborilgan. Agar siz uni qabul qilmasangiz, elektron pochta manzilingizni va/yoki loginingizni tasdiqlang, spam/keraksiz papkalarni tekshiring yoki mahalliy ma'muriyatdan yordam so'rang.", "Couldn't send reset email. Please contact your administrator." : "Elektron pochtasini qayta tiklash xabarini yuborib bo'lmadi. Iltimos, administratoringizga murojaat qiling.", "Password cannot be changed. Please contact your administrator." : "Parolni o'zgartirib bo'lmaydi. Iltimos, administratoringizga murojaat qiling.", - "Back to login" : "Kirishga qaytish", "New password" : "Yangi parol", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Fayllaringiz shifrlangan. Parolingiz tiklangandan so'ng ma'lumotlaringizni qaytarib olishning hech qanday usuli bo'lmaydi. Agar nima qilishni bilmasangiz, davom etishdan oldin administratoringizga murojaat qiling. Siz haqiqatan ham davom etishni xohlaysizmi?", "I know what I'm doing" : "Men nima qilayotganimni bilaman", diff --git a/core/l10n/vi.js b/core/l10n/vi.js index 764a4a2f804..89350a9e8d7 100644 --- a/core/l10n/vi.js +++ b/core/l10n/vi.js @@ -140,23 +140,21 @@ OC.L10N.register( "Account name" : "Tên tài khoản", "Server side authentication failed!" : "Xác thực phía máy chủ không thành công!", "Please contact your administrator." : "Vui lòng liên hệ với quản trị viên.", - "Temporary error" : "Lỗi tạm thời", - "Please try again." : "Vui lòng thử lại sau", "An internal error occurred." : "Đã xảy ra một lỗi nội bộ.", "Please try again or contact your administrator." : "Vui lòng thử lại hoặc liên hệ quản trị của bạn.", "Password" : "Mật khẩu", "Log in with a device" : "Đăng nhập bằng thiết bị", "Login or email" : "Tên đăng nhập hoặc Email", "Your account is not setup for passwordless login." : "Tài khoản của bạn chưa được thiết lập để đăng nhập không cần mật khẩu.", - "Browser not supported" : "Trình duyệt không được hỗ trợ", - "Passwordless authentication is not supported in your browser." : "Xác thực không cần mật khẩu không được hỗ trợ trong trình duyệt của bạn.", "Your connection is not secure" : "Kết nối của bạn không an toàn", "Passwordless authentication is only available over a secure connection." : "Xác thực không cần mật khẩu chỉ khả dụng qua kết nối an toàn.", + "Browser not supported" : "Trình duyệt không được hỗ trợ", + "Passwordless authentication is not supported in your browser." : "Xác thực không cần mật khẩu không được hỗ trợ trong trình duyệt của bạn.", "Reset password" : "Khôi phục mật khẩu", + "Back to login" : "Quay lại trang đăng nhập", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Nếu tài khoản này tồn tại, một thông báo đặt lại mật khẩu đã được gửi đến địa chỉ email của nó. Nếu bạn không nhận được, hãy xác minh địa chỉ email và / hoặc tên tài khoản của bạn, kiểm tra thư mục spam / rác hoặc yêu cầu quản trị viên của bạn trợ giúp.", "Couldn't send reset email. Please contact your administrator." : "Không thể gửi thư điện tử yêu cầu thiết lập lại. Xin vui lòng liên hệ quản trị hệ thống", "Password cannot be changed. Please contact your administrator." : "Không thể thay đổi mật khẩu. Vui lòng liên hệ với quản trị viên của bạn.", - "Back to login" : "Quay lại trang đăng nhập", "New password" : "Mật khẩu mới", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Các tệp của bạn được mã hóa. Sẽ không có cách nào để lấy lại dữ liệu của bạn sau khi mật khẩu của bạn được đặt lại. Nếu bạn không chắc chắn phải làm gì, vui lòng liên hệ với quản trị viên của bạn trước khi tiếp tục. Bạn có thực sự muốn tiếp tục?", "I know what I'm doing" : "Tôi biết tôi đang làm gì", diff --git a/core/l10n/vi.json b/core/l10n/vi.json index cfe028b9d31..876b5f11842 100644 --- a/core/l10n/vi.json +++ b/core/l10n/vi.json @@ -138,23 +138,21 @@ "Account name" : "Tên tài khoản", "Server side authentication failed!" : "Xác thực phía máy chủ không thành công!", "Please contact your administrator." : "Vui lòng liên hệ với quản trị viên.", - "Temporary error" : "Lỗi tạm thời", - "Please try again." : "Vui lòng thử lại sau", "An internal error occurred." : "Đã xảy ra một lỗi nội bộ.", "Please try again or contact your administrator." : "Vui lòng thử lại hoặc liên hệ quản trị của bạn.", "Password" : "Mật khẩu", "Log in with a device" : "Đăng nhập bằng thiết bị", "Login or email" : "Tên đăng nhập hoặc Email", "Your account is not setup for passwordless login." : "Tài khoản của bạn chưa được thiết lập để đăng nhập không cần mật khẩu.", - "Browser not supported" : "Trình duyệt không được hỗ trợ", - "Passwordless authentication is not supported in your browser." : "Xác thực không cần mật khẩu không được hỗ trợ trong trình duyệt của bạn.", "Your connection is not secure" : "Kết nối của bạn không an toàn", "Passwordless authentication is only available over a secure connection." : "Xác thực không cần mật khẩu chỉ khả dụng qua kết nối an toàn.", + "Browser not supported" : "Trình duyệt không được hỗ trợ", + "Passwordless authentication is not supported in your browser." : "Xác thực không cần mật khẩu không được hỗ trợ trong trình duyệt của bạn.", "Reset password" : "Khôi phục mật khẩu", + "Back to login" : "Quay lại trang đăng nhập", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "Nếu tài khoản này tồn tại, một thông báo đặt lại mật khẩu đã được gửi đến địa chỉ email của nó. Nếu bạn không nhận được, hãy xác minh địa chỉ email và / hoặc tên tài khoản của bạn, kiểm tra thư mục spam / rác hoặc yêu cầu quản trị viên của bạn trợ giúp.", "Couldn't send reset email. Please contact your administrator." : "Không thể gửi thư điện tử yêu cầu thiết lập lại. Xin vui lòng liên hệ quản trị hệ thống", "Password cannot be changed. Please contact your administrator." : "Không thể thay đổi mật khẩu. Vui lòng liên hệ với quản trị viên của bạn.", - "Back to login" : "Quay lại trang đăng nhập", "New password" : "Mật khẩu mới", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "Các tệp của bạn được mã hóa. Sẽ không có cách nào để lấy lại dữ liệu của bạn sau khi mật khẩu của bạn được đặt lại. Nếu bạn không chắc chắn phải làm gì, vui lòng liên hệ với quản trị viên của bạn trước khi tiếp tục. Bạn có thực sự muốn tiếp tục?", "I know what I'm doing" : "Tôi biết tôi đang làm gì", diff --git a/core/l10n/zh_CN.js b/core/l10n/zh_CN.js index 79a993030ac..97df7b27417 100644 --- a/core/l10n/zh_CN.js +++ b/core/l10n/zh_CN.js @@ -146,23 +146,23 @@ OC.L10N.register( "Account name" : "账号名称", "Server side authentication failed!" : "服务端身份验证失败!", "Please contact your administrator." : "请联系您的管理员。", - "Temporary error" : "临时错误", - "Please try again." : "请重试。", + "Session error" : "会话错误", + "It appears your session token has expired, please refresh the page and try again." : "您的会话令牌似乎已过期,请刷新页面并重试。", "An internal error occurred." : "发生了内部错误。", "Please try again or contact your administrator." : "请重试或联系您的管理员。", "Password" : "密码", "Log in with a device" : "使用设备登录", "Login or email" : "账号或电子邮箱", "Your account is not setup for passwordless login." : "你的账号未设置无密码登录。", - "Browser not supported" : "浏览器不受支持", - "Passwordless authentication is not supported in your browser." : "浏览器不支持无密码验证。", "Your connection is not secure" : "您的连接不安全", "Passwordless authentication is only available over a secure connection." : "无密码身份验证仅在安全连接上可用。", + "Browser not supported" : "浏览器不受支持", + "Passwordless authentication is not supported in your browser." : "浏览器不支持无密码验证。", "Reset password" : "重置密码", + "Back to login" : "返回登录", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "如果账号存在,一封密码重置信息将会被发送至你的电子邮箱地址。如果你没有收到该邮件,请验证你的电子邮箱地址/账号拼写是否正确,或检查邮件是否被归为垃圾邮件文件夹,或请求本地管理员的帮助。", "Couldn't send reset email. Please contact your administrator." : "未能成功发送重置邮件,请联系管理员。", "Password cannot be changed. Please contact your administrator." : "无法更改密码,请联系管理员。", - "Back to login" : "返回登录", "New password" : "新密码", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "您的文件已经加密。您的密码重置后就没有任何方式能恢复您的数据了。如果您不确定,请在继续前联系您的管理员。您是否真的要继续?", "I know what I'm doing" : "我知道我在做什么", diff --git a/core/l10n/zh_CN.json b/core/l10n/zh_CN.json index db4529c9bc2..1d25bbc8a88 100644 --- a/core/l10n/zh_CN.json +++ b/core/l10n/zh_CN.json @@ -144,23 +144,23 @@ "Account name" : "账号名称", "Server side authentication failed!" : "服务端身份验证失败!", "Please contact your administrator." : "请联系您的管理员。", - "Temporary error" : "临时错误", - "Please try again." : "请重试。", + "Session error" : "会话错误", + "It appears your session token has expired, please refresh the page and try again." : "您的会话令牌似乎已过期,请刷新页面并重试。", "An internal error occurred." : "发生了内部错误。", "Please try again or contact your administrator." : "请重试或联系您的管理员。", "Password" : "密码", "Log in with a device" : "使用设备登录", "Login or email" : "账号或电子邮箱", "Your account is not setup for passwordless login." : "你的账号未设置无密码登录。", - "Browser not supported" : "浏览器不受支持", - "Passwordless authentication is not supported in your browser." : "浏览器不支持无密码验证。", "Your connection is not secure" : "您的连接不安全", "Passwordless authentication is only available over a secure connection." : "无密码身份验证仅在安全连接上可用。", + "Browser not supported" : "浏览器不受支持", + "Passwordless authentication is not supported in your browser." : "浏览器不支持无密码验证。", "Reset password" : "重置密码", + "Back to login" : "返回登录", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "如果账号存在,一封密码重置信息将会被发送至你的电子邮箱地址。如果你没有收到该邮件,请验证你的电子邮箱地址/账号拼写是否正确,或检查邮件是否被归为垃圾邮件文件夹,或请求本地管理员的帮助。", "Couldn't send reset email. Please contact your administrator." : "未能成功发送重置邮件,请联系管理员。", "Password cannot be changed. Please contact your administrator." : "无法更改密码,请联系管理员。", - "Back to login" : "返回登录", "New password" : "新密码", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "您的文件已经加密。您的密码重置后就没有任何方式能恢复您的数据了。如果您不确定,请在继续前联系您的管理员。您是否真的要继续?", "I know what I'm doing" : "我知道我在做什么", diff --git a/core/l10n/zh_HK.js b/core/l10n/zh_HK.js index 7678cb1ef8c..705b05a6a8d 100644 --- a/core/l10n/zh_HK.js +++ b/core/l10n/zh_HK.js @@ -146,23 +146,23 @@ OC.L10N.register( "Account name" : "帳戶名稱", "Server side authentication failed!" : "伺服器端認證失敗!", "Please contact your administrator." : "請聯絡系統管理員。", - "Temporary error" : "暫時出現錯誤", - "Please try again." : "請再試一次。", + "Session error" : "工作階段錯誤", + "It appears your session token has expired, please refresh the page and try again." : "您的工作階段權杖似乎已過期,請重新整理頁面並重試。", "An internal error occurred." : "發生內部錯誤。", "Please try again or contact your administrator." : "請重試或聯絡系統管理員。", "Password" : "密碼", "Log in with a device" : "使用免密碼裝置登入", "Login or email" : "帳戶或電子郵件", "Your account is not setup for passwordless login." : "你的賬號尚未設定免密碼登入。", - "Browser not supported" : "不支持該瀏覽器", - "Passwordless authentication is not supported in your browser." : "你使用的瀏覽器不支援無密碼身分驗證。", "Your connection is not secure" : "您的連線不安全", "Passwordless authentication is only available over a secure connection." : "無密碼身分驗證僅支援經加密的連線。", + "Browser not supported" : "不支持該瀏覽器", + "Passwordless authentication is not supported in your browser." : "你使用的瀏覽器不支援無密碼身分驗證。", "Reset password" : "重設密碼", + "Back to login" : "回到登入畫面", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "如果此帳戶存在,密碼重置郵件已發送到其電郵地址。如果您沒有收到,請驗證您的電郵地址和/或帳戶,檢查您的垃圾郵件/垃圾資料夾或向您當地的管理員協助。", "Couldn't send reset email. Please contact your administrator." : "無法寄出重設密碼電郵。請聯絡您的管理員。", "Password cannot be changed. Please contact your administrator." : "無法重設密碼,請聯絡管理員。", - "Back to login" : "回到登入畫面", "New password" : "新密碼", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "由於您已啟用檔案加密,重設密碼後,您的資料將無法解密。若您不確定繼續與否,請與管理員聯繫。確定要繼續嗎?", "I know what I'm doing" : "我知道我在做什麼", diff --git a/core/l10n/zh_HK.json b/core/l10n/zh_HK.json index 11ed84fc63c..1099177ec34 100644 --- a/core/l10n/zh_HK.json +++ b/core/l10n/zh_HK.json @@ -144,23 +144,23 @@ "Account name" : "帳戶名稱", "Server side authentication failed!" : "伺服器端認證失敗!", "Please contact your administrator." : "請聯絡系統管理員。", - "Temporary error" : "暫時出現錯誤", - "Please try again." : "請再試一次。", + "Session error" : "工作階段錯誤", + "It appears your session token has expired, please refresh the page and try again." : "您的工作階段權杖似乎已過期,請重新整理頁面並重試。", "An internal error occurred." : "發生內部錯誤。", "Please try again or contact your administrator." : "請重試或聯絡系統管理員。", "Password" : "密碼", "Log in with a device" : "使用免密碼裝置登入", "Login or email" : "帳戶或電子郵件", "Your account is not setup for passwordless login." : "你的賬號尚未設定免密碼登入。", - "Browser not supported" : "不支持該瀏覽器", - "Passwordless authentication is not supported in your browser." : "你使用的瀏覽器不支援無密碼身分驗證。", "Your connection is not secure" : "您的連線不安全", "Passwordless authentication is only available over a secure connection." : "無密碼身分驗證僅支援經加密的連線。", + "Browser not supported" : "不支持該瀏覽器", + "Passwordless authentication is not supported in your browser." : "你使用的瀏覽器不支援無密碼身分驗證。", "Reset password" : "重設密碼", + "Back to login" : "回到登入畫面", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "如果此帳戶存在,密碼重置郵件已發送到其電郵地址。如果您沒有收到,請驗證您的電郵地址和/或帳戶,檢查您的垃圾郵件/垃圾資料夾或向您當地的管理員協助。", "Couldn't send reset email. Please contact your administrator." : "無法寄出重設密碼電郵。請聯絡您的管理員。", "Password cannot be changed. Please contact your administrator." : "無法重設密碼,請聯絡管理員。", - "Back to login" : "回到登入畫面", "New password" : "新密碼", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "由於您已啟用檔案加密,重設密碼後,您的資料將無法解密。若您不確定繼續與否,請與管理員聯繫。確定要繼續嗎?", "I know what I'm doing" : "我知道我在做什麼", diff --git a/core/l10n/zh_TW.js b/core/l10n/zh_TW.js index 73f383ed80c..33e81e79a65 100644 --- a/core/l10n/zh_TW.js +++ b/core/l10n/zh_TW.js @@ -146,23 +146,23 @@ OC.L10N.register( "Account name" : "帳號名稱", "Server side authentication failed!" : "伺服器端認證失敗!", "Please contact your administrator." : "請聯絡系統管理員。", - "Temporary error" : "暫時錯誤", - "Please try again." : "請再試一次。", + "Session error" : "工作階段錯誤", + "It appears your session token has expired, please refresh the page and try again." : "您的工作階段權杖似乎已過期,請重新整理頁面並重試。", "An internal error occurred." : "發生內部錯誤。", "Please try again or contact your administrator." : "請重試,或聯絡您的系統管理員。", "Password" : "密碼", "Log in with a device" : "使用裝置登入", "Login or email" : "帳號或電子郵件", "Your account is not setup for passwordless login." : "您的帳號尚未設定無密碼登入。", - "Browser not supported" : "瀏覽器不支援", - "Passwordless authentication is not supported in your browser." : "您使用的瀏覽器不支援無密碼身份認證。", "Your connection is not secure" : "您的連線不安全", "Passwordless authentication is only available over a secure connection." : "無密碼身份認證僅可用於經加密的安全連線。", + "Browser not supported" : "瀏覽器不支援", + "Passwordless authentication is not supported in your browser." : "您使用的瀏覽器不支援無密碼身份認證。", "Reset password" : "重設密碼", + "Back to login" : "返回登入畫面", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "若此帳號存在,密碼重設郵件即已寄送至其電子郵件地址。若您未收到,請驗證您的電子郵件地址及/或帳號,並檢查您的垃圾郵件資料夾,或向您的本機管理員求助。", "Couldn't send reset email. Please contact your administrator." : "無法寄出重設密碼資訊。請聯絡您的管理員。", "Password cannot be changed. Please contact your administrator." : "密碼無法變更。請聯絡您的管理員。", - "Back to login" : "返回登入畫面", "New password" : "新密碼", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "由於您已啟用檔案加密,重設密碼後,您的資料將無法解密。若您不確定繼續與否,請聯絡管理員。確定要繼續嗎?", "I know what I'm doing" : "我知道我在做什麼", diff --git a/core/l10n/zh_TW.json b/core/l10n/zh_TW.json index 70d3f5f91e0..83cce2dc422 100644 --- a/core/l10n/zh_TW.json +++ b/core/l10n/zh_TW.json @@ -144,23 +144,23 @@ "Account name" : "帳號名稱", "Server side authentication failed!" : "伺服器端認證失敗!", "Please contact your administrator." : "請聯絡系統管理員。", - "Temporary error" : "暫時錯誤", - "Please try again." : "請再試一次。", + "Session error" : "工作階段錯誤", + "It appears your session token has expired, please refresh the page and try again." : "您的工作階段權杖似乎已過期,請重新整理頁面並重試。", "An internal error occurred." : "發生內部錯誤。", "Please try again or contact your administrator." : "請重試,或聯絡您的系統管理員。", "Password" : "密碼", "Log in with a device" : "使用裝置登入", "Login or email" : "帳號或電子郵件", "Your account is not setup for passwordless login." : "您的帳號尚未設定無密碼登入。", - "Browser not supported" : "瀏覽器不支援", - "Passwordless authentication is not supported in your browser." : "您使用的瀏覽器不支援無密碼身份認證。", "Your connection is not secure" : "您的連線不安全", "Passwordless authentication is only available over a secure connection." : "無密碼身份認證僅可用於經加密的安全連線。", + "Browser not supported" : "瀏覽器不支援", + "Passwordless authentication is not supported in your browser." : "您使用的瀏覽器不支援無密碼身份認證。", "Reset password" : "重設密碼", + "Back to login" : "返回登入畫面", "If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help." : "若此帳號存在,密碼重設郵件即已寄送至其電子郵件地址。若您未收到,請驗證您的電子郵件地址及/或帳號,並檢查您的垃圾郵件資料夾,或向您的本機管理員求助。", "Couldn't send reset email. Please contact your administrator." : "無法寄出重設密碼資訊。請聯絡您的管理員。", "Password cannot be changed. Please contact your administrator." : "密碼無法變更。請聯絡您的管理員。", - "Back to login" : "返回登入畫面", "New password" : "新密碼", "Your files are encrypted. There will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" : "由於您已啟用檔案加密,重設密碼後,您的資料將無法解密。若您不確定繼續與否,請聯絡管理員。確定要繼續嗎?", "I know what I'm doing" : "我知道我在做什麼", diff --git a/core/src/components/UnifiedSearch/UnifiedSearchLocalSearchBar.vue b/core/src/components/UnifiedSearch/UnifiedSearchLocalSearchBar.vue index 888fa47fa09..1860c54e1ff 100644 --- a/core/src/components/UnifiedSearch/UnifiedSearchLocalSearchBar.vue +++ b/core/src/components/UnifiedSearch/UnifiedSearchLocalSearchBar.vue @@ -123,7 +123,7 @@ function clearAndCloseSearch() { // this can break at any time the component library changes :deep(input) { // search global width + close button width - padding-inline-end: calc(v-bind('searchGlobalButtonWidth') + var(--default-clickable-area)); + padding-inline-end: calc(v-bind('searchGlobalButtonCSSWidth') + var(--default-clickable-area)); } } } @@ -132,8 +132,8 @@ function clearAndCloseSearch() { transition: width var(--animation-quick) linear; } -// Make the position absolut during the transition -// this is needed to "hide" the button begind it +// Make the position absolute during the transition +// this is needed to "hide" the button behind it .v-leave-active { position: absolute !important; } @@ -141,7 +141,7 @@ function clearAndCloseSearch() { .v-enter, .v-leave-to { &.local-unified-search { - // Start with only the overlayed button + // Start with only the overlay button --local-search-width: var(--clickable-area-large); } } diff --git a/core/src/components/login/LoginForm.vue b/core/src/components/login/LoginForm.vue index cde05ab5200..8cbe55f1f68 100644 --- a/core/src/components/login/LoginForm.vue +++ b/core/src/components/login/LoginForm.vue @@ -17,9 +17,9 @@ {{ t('core', 'Please contact your administrator.') }} </NcNoteCard> <NcNoteCard v-if="csrfCheckFailed" - :heading="t('core', 'Temporary error')" + :heading="t('core', 'Session error')" type="error"> - {{ t('core', 'Please try again.') }} + {{ t('core', 'It appears your session token has expired, please refresh the page and try again.') }} </NcNoteCard> <NcNoteCard v-if="messages.length > 0"> <div v-for="(message, index) in messages" @@ -292,6 +292,7 @@ export default { .login-form { text-align: start; font-size: 1rem; + margin: 0; &__fieldset { width: 100%; diff --git a/core/src/components/login/PasswordLessLoginForm.vue b/core/src/components/login/PasswordLessLoginForm.vue index aabfcb047de..bbca2ebf31d 100644 --- a/core/src/components/login/PasswordLessLoginForm.vue +++ b/core/src/components/login/PasswordLessLoginForm.vue @@ -5,59 +5,70 @@ <template> <form v-if="(isHttps || isLocalhost) && supportsWebauthn" ref="loginForm" + aria-labelledby="password-less-login-form-title" + class="password-less-login-form" method="post" name="login" @submit.prevent="submit"> - <h2>{{ t('core', 'Log in with a device') }}</h2> - <fieldset> - <NcTextField required - :value="user" - :autocomplete="autoCompleteAllowed ? 'on' : 'off'" - :error="!validCredentials" - :label="t('core', 'Login or email')" - :placeholder="t('core', 'Login or email')" - :helper-text="!validCredentials ? t('core', 'Your account is not setup for passwordless login.') : ''" - @update:value="changeUsername" /> + <h2 id="password-less-login-form-title"> + {{ t('core', 'Log in with a device') }} + </h2> - <LoginButton v-if="validCredentials" - :loading="loading" - @click="authenticate" /> - </fieldset> + <NcTextField required + :value="user" + :autocomplete="autoCompleteAllowed ? 'on' : 'off'" + :error="!validCredentials" + :label="t('core', 'Login or email')" + :placeholder="t('core', 'Login or email')" + :helper-text="!validCredentials ? t('core', 'Your account is not setup for passwordless login.') : ''" + @update:value="changeUsername" /> + + <LoginButton v-if="validCredentials" + :loading="loading" + @click="authenticate" /> </form> - <div v-else-if="!supportsWebauthn" class="update"> - <InformationIcon size="70" /> - <h2>{{ t('core', 'Browser not supported') }}</h2> - <p class="infogroup"> - {{ t('core', 'Passwordless authentication is not supported in your browser.') }} - </p> - </div> - <div v-else-if="!isHttps && !isLocalhost" class="update"> - <LockOpenIcon size="70" /> - <h2>{{ t('core', 'Your connection is not secure') }}</h2> - <p class="infogroup"> - {{ t('core', 'Passwordless authentication is only available over a secure connection.') }} - </p> - </div> + + <NcEmptyContent v-else-if="!isHttps && !isLocalhost" + :name="t('core', 'Your connection is not secure')" + :description="t('core', 'Passwordless authentication is only available over a secure connection.')"> + <template #icon> + <LockOpenIcon /> + </template> + </NcEmptyContent> + + <NcEmptyContent v-else + :name="t('core', 'Browser not supported')" + :description="t('core', 'Passwordless authentication is not supported in your browser.')"> + <template #icon> + <InformationIcon /> + </template> + </NcEmptyContent> </template> -<script> +<script type="ts"> import { browserSupportsWebAuthn } from '@simplewebauthn/browser' +import { defineComponent } from 'vue' import { + NoValidCredentials, startAuthentication, finishAuthentication, } from '../../services/WebAuthnAuthenticationService.ts' -import LoginButton from './LoginButton.vue' + +import NcEmptyContent from '@nextcloud/vue/components/NcEmptyContent' +import NcTextField from '@nextcloud/vue/components/NcTextField' + import InformationIcon from 'vue-material-design-icons/Information.vue' +import LoginButton from './LoginButton.vue' import LockOpenIcon from 'vue-material-design-icons/LockOpen.vue' -import NcTextField from '@nextcloud/vue/components/NcTextField' import logger from '../../logger' -export default { +export default defineComponent({ name: 'PasswordLessLoginForm', components: { LoginButton, InformationIcon, LockOpenIcon, + NcEmptyContent, NcTextField, }, props: { @@ -138,21 +149,14 @@ export default { // noop }, }, -} +}) </script> <style lang="scss" scoped> - fieldset { - display: flex; - flex-direction: column; - gap: 0.5rem; - - :deep(label) { - text-align: initial; - } - } - - .update { - margin: 0 auto; - } +.password-less-login-form { + display: flex; + flex-direction: column; + gap: 0.5rem; + margin: 0; +} </style> diff --git a/core/src/components/login/ResetPassword.vue b/core/src/components/login/ResetPassword.vue index 8fa25d192d4..fee1deacc36 100644 --- a/core/src/components/login/ResetPassword.vue +++ b/core/src/components/login/ResetPassword.vue @@ -4,59 +4,65 @@ --> <template> - <form class="login-form" @submit.prevent="submit"> - <fieldset class="login-form__fieldset"> - <NcTextField id="user" - :value.sync="user" - name="user" - :maxlength="255" - autocapitalize="off" - :label="t('core', 'Login or email')" - :error="userNameInputLengthIs255" - :helper-text="userInputHelperText" - required - @change="updateUsername" /> - <LoginButton :value="t('core', 'Reset password')" /> - - <NcNoteCard v-if="message === 'send-success'" - type="success"> - {{ t('core', 'If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help.') }} - </NcNoteCard> - <NcNoteCard v-else-if="message === 'send-error'" - type="error"> - {{ t('core', 'Couldn\'t send reset email. Please contact your administrator.') }} - </NcNoteCard> - <NcNoteCard v-else-if="message === 'reset-error'" - type="error"> - {{ t('core', 'Password cannot be changed. Please contact your administrator.') }} - </NcNoteCard> - - <a class="login-form__link" - href="#" - @click.prevent="$emit('abort')"> - {{ t('core', 'Back to login') }} - </a> - </fieldset> + <form class="reset-password-form" @submit.prevent="submit"> + <h2>{{ t('core', 'Reset password') }}</h2> + + <NcTextField id="user" + :value.sync="user" + name="user" + :maxlength="255" + autocapitalize="off" + :label="t('core', 'Login or email')" + :error="userNameInputLengthIs255" + :helper-text="userInputHelperText" + required + @change="updateUsername" /> + + <LoginButton :loading="loading" :value="t('core', 'Reset password')" /> + + <NcButton type="tertiary" wide @click="$emit('abort')"> + {{ t('core', 'Back to login') }} + </NcButton> + + <NcNoteCard v-if="message === 'send-success'" + type="success"> + {{ t('core', 'If this account exists, a password reset message has been sent to its email address. If you do not receive it, verify your email address and/or Login, check your spam/junk folders or ask your local administration for help.') }} + </NcNoteCard> + <NcNoteCard v-else-if="message === 'send-error'" + type="error"> + {{ t('core', 'Couldn\'t send reset email. Please contact your administrator.') }} + </NcNoteCard> + <NcNoteCard v-else-if="message === 'reset-error'" + type="error"> + {{ t('core', 'Password cannot be changed. Please contact your administrator.') }} + </NcNoteCard> </form> </template> -<script> -import axios from '@nextcloud/axios' +<script lang="ts"> import { generateUrl } from '@nextcloud/router' -import LoginButton from './LoginButton.vue' +import { defineComponent } from 'vue' + +import axios from '@nextcloud/axios' +import NcButton from '@nextcloud/vue/components/NcButton' import NcTextField from '@nextcloud/vue/components/NcTextField' import NcNoteCard from '@nextcloud/vue/components/NcNoteCard' import AuthMixin from '../../mixins/auth.js' +import LoginButton from './LoginButton.vue' +import logger from '../../logger.js' -export default { +export default defineComponent({ name: 'ResetPassword', components: { LoginButton, + NcButton, NcNoteCard, NcTextField, }, + mixins: [AuthMixin], + props: { username: { type: String, @@ -67,11 +73,12 @@ export default { required: true, }, }, + data() { return { error: false, loading: false, - message: undefined, + message: '', user: this.username, } }, @@ -84,56 +91,38 @@ export default { updateUsername() { this.$emit('update:username', this.user) }, - submit() { + + async submit() { this.loading = true this.error = false this.message = '' const url = generateUrl('/lostpassword/email') - const data = { - user: this.user, - } + try { + const { data } = await axios.post(url, { user: this.user }) + if (data.status !== 'success') { + throw new Error(`got status ${data.status}`) + } + + this.message = 'send-success' + } catch (error) { + logger.error('could not send reset email request', { error }) - return axios.post(url, data) - .then(resp => resp.data) - .then(data => { - if (data.status !== 'success') { - throw new Error(`got status ${data.status}`) - } - - this.message = 'send-success' - }) - .catch(e => { - console.error('could not send reset email request', e) - - this.error = true - this.message = 'send-error' - }) - .then(() => { this.loading = false }) + this.error = true + this.message = 'send-error' + } finally { + this.loading = false + } }, }, -} +}) </script> <style lang="scss" scoped> -.login-form { - text-align: start; - font-size: 1rem; - - &__fieldset { - width: 100%; - display: flex; - flex-direction: column; - gap: .5rem; - } - - &__link { - display: block; - font-weight: normal !important; - cursor: pointer; - font-size: var(--default-font-size); - text-align: center; - padding: .5rem 1rem 1rem 1rem; - } +.reset-password-form { + display: flex; + flex-direction: column; + gap: .5rem; + width: 100%; } </style> diff --git a/core/src/services/WebAuthnAuthenticationService.ts b/core/src/services/WebAuthnAuthenticationService.ts index 82a07ae35ad..7563e264109 100644 --- a/core/src/services/WebAuthnAuthenticationService.ts +++ b/core/src/services/WebAuthnAuthenticationService.ts @@ -27,7 +27,7 @@ export async function startAuthentication(loginName: string) { logger.error('No valid credentials returned for webauthn') throw new NoValidCredentials() } - return await startWebauthnAuthentication(data) + return await startWebauthnAuthentication({ optionsJSON: data }) } /** diff --git a/core/src/views/Login.vue b/core/src/views/Login.vue index 7a35331b090..9236d1a9d09 100644 --- a/core/src/views/Login.vue +++ b/core/src/views/Login.vue @@ -7,7 +7,7 @@ <div class="guest-box login-box"> <template v-if="!hideLoginForm || directLogin"> <transition name="fade" mode="out-in"> - <div v-if="!passwordlessLogin && !resetPassword && resetPasswordTarget === ''"> + <div v-if="!passwordlessLogin && !resetPassword && resetPasswordTarget === ''" class="login-box__wrapper"> <LoginForm :username.sync="user" :redirect-url="redirectUrl" :direct-login="directLogin" @@ -17,40 +17,30 @@ :auto-complete-allowed="autoCompleteAllowed" :email-states="emailStates" @submit="loading = true" /> - <a v-if="canResetPassword && resetPasswordLink !== ''" + <NcButton v-if="hasPasswordless" + type="tertiary" + wide + @click.prevent="passwordlessLogin = true"> + {{ t('core', 'Log in with a device') }} + </NcButton> + <NcButton v-if="canResetPassword && resetPasswordLink !== ''" id="lost-password" - class="login-box__link" - :href="resetPasswordLink"> + :href="resetPasswordLink" + type="tertiary-no-background" + wide> {{ t('core', 'Forgot password?') }} - </a> - <a v-else-if="canResetPassword && !resetPassword" + </NcButton> + <NcButton v-else-if="canResetPassword && !resetPassword" id="lost-password" - class="login-box__link" - :href="resetPasswordLink" + type="tertiary" + wide @click.prevent="resetPassword = true"> {{ t('core', 'Forgot password?') }} - </a> - <template v-if="hasPasswordless"> - <div v-if="countAlternativeLogins" - class="alternative-logins"> - <a v-if="hasPasswordless" - class="button" - :class="{ 'single-alt-login-option': countAlternativeLogins }" - href="#" - @click.prevent="passwordlessLogin = true"> - {{ t('core', 'Log in with a device') }} - </a> - </div> - <a v-else - href="#" - @click.prevent="passwordlessLogin = true"> - {{ t('core', 'Log in with a device') }} - </a> - </template> + </NcButton> </div> <div v-else-if="!loading && passwordlessLogin" key="reset-pw-less" - class="login-additional login-passwordless"> + class="login-additional login-box__wrapper"> <PasswordLessLoginForm :username.sync="user" :redirect-url="redirectUrl" :auto-complete-allowed="autoCompleteAllowed" @@ -89,7 +79,7 @@ </transition> </template> - <div id="alternative-logins" class="alternative-logins"> + <div id="alternative-logins" class="login-box__alternative-logins"> <NcButton v-for="(alternativeLogin, index) in alternativeLogins" :key="index" type="secondary" @@ -169,22 +159,22 @@ export default { } </script> -<style lang="scss"> -body { - font-size: var(--default-font-size); -} - +<style scoped lang="scss"> .login-box { // Same size as dashboard panels width: 320px; box-sizing: border-box; - &__link { - display: block; - padding: 1rem; - font-size: var(--default-font-size); - text-align: center; - font-weight: normal !important; + &__wrapper { + display: flex; + flex-direction: column; + gap: calc(2 * var(--default-grid-baseline)); + } + + &__alternative-logins { + display: flex; + flex-direction: column; + gap: 0.75rem; } } @@ -195,20 +185,4 @@ body { .fade-enter, .fade-leave-to /* .fade-leave-active below version 2.1.8 */ { opacity: 0; } - -.alternative-logins { - display: flex; - flex-direction: column; - gap: 0.75rem; - - .button-vue { - box-sizing: border-box; - } -} - -.login-passwordless { - .button-vue { - margin-top: 0.5rem; - } -} </style> diff --git a/core/templates/loginflow/authpicker.php b/core/templates/loginflow/authpicker.php index 94aace60cba..47e3113604d 100644 --- a/core/templates/loginflow/authpicker.php +++ b/core/templates/loginflow/authpicker.php @@ -31,7 +31,7 @@ $urlGenerator = $_['urlGenerator']; <br/> <p id="redirect-link"> - <form id="login-form" action="<?php p($urlGenerator->linkToRoute('core.ClientFlowLogin.grantPage', ['stateToken' => $_['stateToken'], 'clientIdentifier' => $_['clientIdentifier'], 'oauthState' => $_['oauthState'], 'user' => $_['user'], 'direct' => $_['direct']])) ?>" method="get"> + <form id="login-form" action="<?php p($urlGenerator->linkToRoute('core.ClientFlowLogin.grantPage', ['stateToken' => $_['stateToken'], 'clientIdentifier' => $_['clientIdentifier'], 'oauthState' => $_['oauthState'], 'user' => $_['user'], 'direct' => $_['direct'], 'providedRedirectUri' => $_['providedRedirectUri']])) ?>" method="get"> <input type="submit" class="login primary icon-confirm-white" value="<?php p($l->t('Log in')) ?>" disabled> </form> </p> diff --git a/core/templates/loginflow/grant.php b/core/templates/loginflow/grant.php index dd2fb8d1a8e..6beafccc96e 100644 --- a/core/templates/loginflow/grant.php +++ b/core/templates/loginflow/grant.php @@ -35,6 +35,7 @@ $urlGenerator = $_['urlGenerator']; <input type="hidden" name="requesttoken" value="<?php p($_['requesttoken']) ?>" /> <input type="hidden" name="stateToken" value="<?php p($_['stateToken']) ?>" /> <input type="hidden" name="oauthState" value="<?php p($_['oauthState']) ?>" /> + <input type="hidden" name="providedRedirectUri" value="<?php p($_['providedRedirectUri']) ?>"> <?php if ($_['direct']) { ?> <input type="hidden" name="direct" value="1" /> <?php } ?> |