diff options
Diffstat (limited to 'settings')
120 files changed, 229 insertions, 327 deletions
diff --git a/settings/admin.php b/settings/admin.php index da25ab55a93..6ec4cef350d 100644 --- a/settings/admin.php +++ b/settings/admin.php @@ -118,7 +118,6 @@ $formsAndMore = array_merge($formsAndMore, $formsMap); // add bottom hardcoded forms from the template $formsAndMore[] = array('anchor' => 'backgroundjobs', 'section-name' => $l->t('Cron')); $formsAndMore[] = array('anchor' => 'shareAPI', 'section-name' => $l->t('Sharing')); -$formsAndMore[] = array('anchor' => 'security', 'section-name' => $l->t('Security')); $formsAndMore[] = array('anchor' => 'mail_general_settings', 'section-name' => $l->t('Email Server')); $formsAndMore[] = array('anchor' => 'log-section', 'section-name' => $l->t('Log')); diff --git a/settings/application.php b/settings/application.php index 6fe23447a72..ce47f155ebe 100644 --- a/settings/application.php +++ b/settings/application.php @@ -47,7 +47,7 @@ class Application extends App { $c->query('Config'), $c->query('UserSession'), $c->query('Defaults'), - $c->query('Mail'), + $c->query('Mailer'), $c->query('DefaultMailAddress') ); }); @@ -89,7 +89,7 @@ class Application extends App { $c->query('L10N'), $c->query('Logger'), $c->query('Defaults'), - $c->query('Mail'), + $c->query('Mailer'), $c->query('DefaultMailAddress'), $c->query('URLGenerator'), $c->query('OCP\\App\\IAppManager'), @@ -151,8 +151,8 @@ class Application extends App { $container->registerService('SubAdminFactory', function(IContainer $c) { return new SubAdminFactory(); }); - $container->registerService('Mail', function(IContainer $c) { - return new \OC_Mail; + $container->registerService('Mailer', function(IContainer $c) { + return $c->query('ServerContainer')->getMailer(); }); $container->registerService('Defaults', function(IContainer $c) { return new \OC_Defaults; diff --git a/settings/controller/mailsettingscontroller.php b/settings/controller/mailsettingscontroller.php index 5874e644abb..53365cf253b 100644 --- a/settings/controller/mailsettingscontroller.php +++ b/settings/controller/mailsettingscontroller.php @@ -16,6 +16,8 @@ use \OCP\AppFramework\Controller; use OCP\IRequest; use OCP\IL10N; use OCP\IConfig; +use OCP\Mail\IMailer; +use OCP\Mail\IMessage; /** * @package OC\Settings\Controller @@ -30,8 +32,8 @@ class MailSettingsController extends Controller { private $userSession; /** @var \OC_Defaults */ private $defaults; - /** @var \OC_Mail */ - private $mail; + /** @var IMailer */ + private $mailer; /** @var string */ private $defaultMailAddress; @@ -42,7 +44,7 @@ class MailSettingsController extends Controller { * @param IConfig $config * @param Session $userSession * @param \OC_Defaults $defaults - * @param \OC_Mail $mail + * @param IMailer $mailer * @param string $defaultMailAddress */ public function __construct($appName, @@ -51,14 +53,14 @@ class MailSettingsController extends Controller { IConfig $config, Session $userSession, \OC_Defaults $defaults, - \OC_Mail $mail, + IMailer $mailer, $defaultMailAddress) { parent::__construct($appName, $request); $this->l10n = $l10n; $this->config = $config; $this->userSession = $userSession; $this->defaults = $defaults; - $this->mail = $mail; + $this->mailer = $mailer; $this->defaultMailAddress = $defaultMailAddress; } @@ -133,19 +135,19 @@ class MailSettingsController extends Controller { $email = $this->config->getUserValue($this->userSession->getUser()->getUID(), $this->appName, 'email', ''); if (!empty($email)) { try { - $this->mail->send($email, $this->userSession->getUser()->getDisplayName(), - $this->l10n->t('test email settings'), - $this->l10n->t('If you received this email, the settings seem to be correct.'), - $this->defaultMailAddress, - $this->defaults->getName() - ); + $message = $this->mailer->createMessage(); + $message->setTo([$email => $this->userSession->getUser()->getDisplayName()]); + $message->setFrom([$this->defaultMailAddress]); + $message->setSubject($this->l10n->t('test email settings')); + $message->setPlainBody('If you received this email, the settings seem to be correct.'); + $this->mailer->send($message); } catch (\Exception $e) { - return array('data' => - array('message' => - (string) $this->l10n->t('A problem occurred while sending the email. Please revise your settings.'), - ), - 'status' => 'error' - ); + return [ + 'data' => [ + 'message' => (string) $this->l10n->t('A problem occurred while sending the email. Please revise your settings. (Error: %s)', [$e->getMessage()]), + ], + 'status' => 'error', + ]; } return array('data' => diff --git a/settings/controller/userscontroller.php b/settings/controller/userscontroller.php index a20cbb4050a..a6faa3c4a1d 100644 --- a/settings/controller/userscontroller.php +++ b/settings/controller/userscontroller.php @@ -26,6 +26,7 @@ use OCP\IURLGenerator; use OCP\IUser; use OCP\IUserManager; use OCP\IUserSession; +use OCP\Mail\IMailer; /** * @package OC\Settings\Controller @@ -47,8 +48,8 @@ class UsersController extends Controller { private $log; /** @var \OC_Defaults */ private $defaults; - /** @var \OC_Mail */ - private $mail; + /** @var IMailer */ + private $mailer; /** @var string */ private $fromMailAddress; /** @var IURLGenerator */ @@ -71,7 +72,7 @@ class UsersController extends Controller { * @param IL10N $l10n * @param ILogger $log * @param \OC_Defaults $defaults - * @param \OC_Mail $mail + * @param IMailer $mailer * @param string $fromMailAddress * @param IURLGenerator $urlGenerator * @param IAppManager $appManager @@ -87,7 +88,7 @@ class UsersController extends Controller { IL10N $l10n, ILogger $log, \OC_Defaults $defaults, - \OC_Mail $mail, + IMailer $mailer, $fromMailAddress, IURLGenerator $urlGenerator, IAppManager $appManager, @@ -101,7 +102,7 @@ class UsersController extends Controller { $this->l10n = $l10n; $this->log = $log; $this->defaults = $defaults; - $this->mail = $mail; + $this->mailer = $mailer; $this->fromMailAddress = $fromMailAddress; $this->urlGenerator = $urlGenerator; $this->subAdminFactory = $subAdminFactory; @@ -262,8 +263,7 @@ class UsersController extends Controller { * @return DataResponse */ public function create($username, $password, array $groups=array(), $email='') { - - if($email !== '' && !$this->mail->validateAddress($email)) { + if($email !== '' && !$this->mailer->validateMailAddress($email)) { return new DataResponse( array( 'message' => (string)$this->l10n->t('Invalid mail address') @@ -286,6 +286,15 @@ class UsersController extends Controller { } } + if ($this->userManager->userExists($username)) { + return new DataResponse( + array( + 'message' => (string)$this->l10n->t('A user with that name already exists.') + ), + Http::STATUS_CONFLICT + ); + } + try { $user = $this->userManager->createUser($username, $password); } catch (\Exception $exception) { @@ -329,15 +338,13 @@ class UsersController extends Controller { $subject = $this->l10n->t('Your %s account was created', [$this->defaults->getName()]); try { - $this->mail->send( - $email, - $username, - $subject, - $mailContent, - $this->fromMailAddress, - $this->defaults->getName(), - 1, - $plainTextMailContent); + $message = $this->mailer->createMessage(); + $message->setTo([$email => $username]); + $message->setSubject($subject); + $message->setHtmlBody($mailContent); + $message->setPlainBody($plainTextMailContent); + $message->setFrom([$this->fromMailAddress => $this->defaults->getName()]); + $this->mailer->send($message); } catch(\Exception $e) { $this->log->error("Can't send new user mail to $email: " . $e->getMessage(), array('app' => 'settings')); } @@ -444,7 +451,7 @@ class UsersController extends Controller { ); } - if($mailAddress !== '' && !$this->mail->validateAddress($mailAddress)) { + if($mailAddress !== '' && !$this->mailer->validateMailAddress($mailAddress)) { return new DataResponse( array( 'status' => 'error', diff --git a/settings/css/settings.css b/settings/css/settings.css index e2349e9dd68..0ed0e60ee64 100644 --- a/settings/css/settings.css +++ b/settings/css/settings.css @@ -55,6 +55,23 @@ table.nostyle td { padding: 0.2em 0; } content: '+'; font-weight: bold; font-size: 150%; } +#newgroup-form { + height: 44px; +} +#newgroupname { + margin: 6px; + width: 95%; + padding-right: 32px; + box-sizing: border-box +} +#newgroup-form .button { + position: absolute; + right: 0; + top: 3px; + height: 32px; + width: 32px; +} + .ie8 #newgroup-form .icon-add { height: 30px; } @@ -78,7 +95,6 @@ span.utils .delete, .rename { display: none; } #app-navigation ul li.active > span.utils .rename { display: block; } #usersearchform { position: absolute; top: 2px; right: 250px; } #usersearchform label { font-weight: 700; } -form { display:inline; } /* display table at full width */ table.grid { @@ -99,10 +115,14 @@ span.usersLastLoginTooltip { white-space: nowrap; } display : none; } -td.remove { width:1em; padding-right:1em; } tr:hover>td.password>span, tr:hover>td.displayName>span { margin:0; cursor:pointer; } tr:hover>td.remove>a, tr:hover>td.password>img,tr:hover>td.displayName>img, tr:hover>td.quota>img { visibility:visible; cursor:pointer; } -tr:hover>td.remove>a { float:right; } +td.remove { + width: 25px; +} +tr:hover>td.remove>a { + float: left; +} div.recoveryPassword { left:50em; display:block; position:absolute; top:-1px; } input#recoveryPassword {width:15em;} @@ -117,13 +137,16 @@ select.quota.active { background: #fff; } input.userFilter {width: 200px;} /* positioning fixes */ +#newuser { + padding-left: 3px; +} #newuser .multiselect { min-width: 150px !important; } #newuser .multiselect, #newusergroups + input[type='submit'] { position: relative; - top: 1px; + top: -1px; } #headerGroups, #headerSubAdmins, #headerQuota { padding-left:18px; } diff --git a/settings/js/users/groups.js b/settings/js/users/groups.js index c06bc5ff14b..32ddbf3ba01 100644 --- a/settings/js/users/groups.js +++ b/settings/js/users/groups.js @@ -182,6 +182,7 @@ GroupList = { $('#newgroup-form').show(); $('#newgroup-init').hide(); $('#newgroupname').focus(); + GroupList.handleAddGroupInput(''); } else { $('#newgroup-form').hide(); @@ -190,6 +191,14 @@ GroupList = { } }, + handleAddGroupInput: function (input) { + if(input.length) { + $('#newgroup-form input[type="submit"]').attr('disabled', null); + } else { + $('#newgroup-form input[type="submit"]').attr('disabled', 'disabled'); + } + }, + isGroupNameValid: function (groupname) { if ($.trim(groupname) === '') { OC.dialogs.alert( @@ -295,4 +304,8 @@ $(document).ready( function () { $userGroupList.on('click', '.isgroup', function () { GroupList.showGroup(GroupList.getElementGID(this)); }); + + $('#newgroupname').on('input', function(){ + GroupList.handleAddGroupInput(this.value); + }); }); diff --git a/settings/l10n/ar.js b/settings/l10n/ar.js index 704428b4ba4..fe6da5ba32c 100644 --- a/settings/l10n/ar.js +++ b/settings/l10n/ar.js @@ -3,7 +3,6 @@ OC.L10N.register( { "Cron" : "مجدول", "Sharing" : "مشاركة", - "Security" : "الأمان", "Email Server" : "خادم البريد الالكتروني", "Log" : "سجل", "Authentication error" : "لم يتم التأكد من الشخصية بنجاح", @@ -24,7 +23,6 @@ OC.L10N.register( "Enabled" : "مفعلة", "Saved" : "حفظ", "test email settings" : "إعدادات البريد التجريبي", - "If you received this email, the settings seem to be correct." : "تبدوا الاعدادت صحيحة اذا تلقيت هذا البريد الالكتروني", "Email sent" : "تم ارسال البريد الالكتروني", "Email saved" : "تم حفظ البريد الإلكتروني", "Are you really sure you want add \"{domain}\" as trusted domain?" : "هل أنت متأكد انك تريد إضافة \"{domain}\" كنطاق موثوق فيه.", diff --git a/settings/l10n/ar.json b/settings/l10n/ar.json index 2c8eb713782..460c24882ea 100644 --- a/settings/l10n/ar.json +++ b/settings/l10n/ar.json @@ -1,7 +1,6 @@ { "translations": { "Cron" : "مجدول", "Sharing" : "مشاركة", - "Security" : "الأمان", "Email Server" : "خادم البريد الالكتروني", "Log" : "سجل", "Authentication error" : "لم يتم التأكد من الشخصية بنجاح", @@ -22,7 +21,6 @@ "Enabled" : "مفعلة", "Saved" : "حفظ", "test email settings" : "إعدادات البريد التجريبي", - "If you received this email, the settings seem to be correct." : "تبدوا الاعدادت صحيحة اذا تلقيت هذا البريد الالكتروني", "Email sent" : "تم ارسال البريد الالكتروني", "Email saved" : "تم حفظ البريد الإلكتروني", "Are you really sure you want add \"{domain}\" as trusted domain?" : "هل أنت متأكد انك تريد إضافة \"{domain}\" كنطاق موثوق فيه.", diff --git a/settings/l10n/ast.js b/settings/l10n/ast.js index 1e03ab58cca..2366871d4bc 100644 --- a/settings/l10n/ast.js +++ b/settings/l10n/ast.js @@ -3,7 +3,6 @@ OC.L10N.register( { "Cron" : "Cron", "Sharing" : "Compartiendo", - "Security" : "Seguridá", "Email Server" : "Sirvidor de corréu-e", "Log" : "Rexistru", "Authentication error" : "Fallu d'autenticación", @@ -33,8 +32,6 @@ OC.L10N.register( "Recommended" : "Recomendáu", "Saved" : "Guardáu", "test email settings" : "probar configuración de corréu", - "If you received this email, the settings seem to be correct." : "Si recibisti esti mensaxe de corréu-e, la to configuración ta correuta.", - "A problem occurred while sending the email. Please revise your settings." : "Hebo un problema al unviar el mensaxe. Revisa la configuración.", "Email sent" : "Corréu-e unviáu", "You need to set your user email before being able to send test emails." : "Tienes de configurar la direición de corréu-e enantes de poder unviar mensaxes de prueba.", "Email saved" : "Corréu-e guardáu", diff --git a/settings/l10n/ast.json b/settings/l10n/ast.json index e9aa245e14a..65aced175e2 100644 --- a/settings/l10n/ast.json +++ b/settings/l10n/ast.json @@ -1,7 +1,6 @@ { "translations": { "Cron" : "Cron", "Sharing" : "Compartiendo", - "Security" : "Seguridá", "Email Server" : "Sirvidor de corréu-e", "Log" : "Rexistru", "Authentication error" : "Fallu d'autenticación", @@ -31,8 +30,6 @@ "Recommended" : "Recomendáu", "Saved" : "Guardáu", "test email settings" : "probar configuración de corréu", - "If you received this email, the settings seem to be correct." : "Si recibisti esti mensaxe de corréu-e, la to configuración ta correuta.", - "A problem occurred while sending the email. Please revise your settings." : "Hebo un problema al unviar el mensaxe. Revisa la configuración.", "Email sent" : "Corréu-e unviáu", "You need to set your user email before being able to send test emails." : "Tienes de configurar la direición de corréu-e enantes de poder unviar mensaxes de prueba.", "Email saved" : "Corréu-e guardáu", diff --git a/settings/l10n/az.js b/settings/l10n/az.js index 1eda8b1889b..e7bdd6c543c 100644 --- a/settings/l10n/az.js +++ b/settings/l10n/az.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Təhlükəsizlik və İşəsalınma xəbərdarlıqları", "Cron" : "Cron", "Sharing" : "Paylaşılır", - "Security" : "Təhlükəsizlik", "Email Server" : "Email server", "Log" : "Jurnal", "Authentication error" : "Təyinat metodikası", @@ -39,8 +38,6 @@ OC.L10N.register( "log-level out of allowed range" : "jurnal-səviyyəsi izin verilən aralıqdan kənardır", "Saved" : "Saxlanıldı", "test email settings" : "sınaq məktubu quraşdırmaları", - "If you received this email, the settings seem to be correct." : "Əgər siz bu məktubu aldınızsa, demək quraşdırmalar düzgündür.", - "A problem occurred while sending the email. Please revise your settings." : "Mailin yollanması müddətində səhv baş verdi. Xahiş olunur quraşdırmalarınıza yenidən baxasınız.", "Email sent" : "Məktub göndərildi", "You need to set your user email before being able to send test emails." : "Test məktubu göndərməzdən öncə, siz öz istifadəçi poçtunuzu təyin etməlisiniz.", "Invalid mail address" : "Yalnış mail ünvanı", diff --git a/settings/l10n/az.json b/settings/l10n/az.json index 9ad03a8fa67..d8fe602c81a 100644 --- a/settings/l10n/az.json +++ b/settings/l10n/az.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Təhlükəsizlik və İşəsalınma xəbərdarlıqları", "Cron" : "Cron", "Sharing" : "Paylaşılır", - "Security" : "Təhlükəsizlik", "Email Server" : "Email server", "Log" : "Jurnal", "Authentication error" : "Təyinat metodikası", @@ -37,8 +36,6 @@ "log-level out of allowed range" : "jurnal-səviyyəsi izin verilən aralıqdan kənardır", "Saved" : "Saxlanıldı", "test email settings" : "sınaq məktubu quraşdırmaları", - "If you received this email, the settings seem to be correct." : "Əgər siz bu məktubu aldınızsa, demək quraşdırmalar düzgündür.", - "A problem occurred while sending the email. Please revise your settings." : "Mailin yollanması müddətində səhv baş verdi. Xahiş olunur quraşdırmalarınıza yenidən baxasınız.", "Email sent" : "Məktub göndərildi", "You need to set your user email before being able to send test emails." : "Test məktubu göndərməzdən öncə, siz öz istifadəçi poçtunuzu təyin etməlisiniz.", "Invalid mail address" : "Yalnış mail ünvanı", diff --git a/settings/l10n/bg_BG.js b/settings/l10n/bg_BG.js index f78dac4f7cd..4dc9db427ed 100644 --- a/settings/l10n/bg_BG.js +++ b/settings/l10n/bg_BG.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Предупреждения за сигурност и настройки", "Cron" : "Крон", "Sharing" : "Споделяне", - "Security" : "Сигурност", "Email Server" : "Имейл Сървър", "Log" : "Лог", "Authentication error" : "Възникна проблем с идентификацията", @@ -38,8 +37,6 @@ OC.L10N.register( "log-level out of allowed range" : "Ниво на проследяване \\(log-level\\) e извън допустимия обхват", "Saved" : "Запаметяване", "test email settings" : "проверка на настройките на електронна поща", - "If you received this email, the settings seem to be correct." : "Ако сте получили този имейл, изглежда, че настройките са ви правилни.", - "A problem occurred while sending the email. Please revise your settings." : "Настъпи проблем при изпращането на електронната поща. Моля, проверете вашите настройки.", "Email sent" : "Имейлът е изпратен", "You need to set your user email before being able to send test emails." : "Трябва да зададете своя имейл преди да можете да изпращате тестови имейли.", "Invalid mail address" : "невалиден адрес на електронна поща", diff --git a/settings/l10n/bg_BG.json b/settings/l10n/bg_BG.json index 75610d7a2cd..0d597cccee9 100644 --- a/settings/l10n/bg_BG.json +++ b/settings/l10n/bg_BG.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Предупреждения за сигурност и настройки", "Cron" : "Крон", "Sharing" : "Споделяне", - "Security" : "Сигурност", "Email Server" : "Имейл Сървър", "Log" : "Лог", "Authentication error" : "Възникна проблем с идентификацията", @@ -36,8 +35,6 @@ "log-level out of allowed range" : "Ниво на проследяване \\(log-level\\) e извън допустимия обхват", "Saved" : "Запаметяване", "test email settings" : "проверка на настройките на електронна поща", - "If you received this email, the settings seem to be correct." : "Ако сте получили този имейл, изглежда, че настройките са ви правилни.", - "A problem occurred while sending the email. Please revise your settings." : "Настъпи проблем при изпращането на електронната поща. Моля, проверете вашите настройки.", "Email sent" : "Имейлът е изпратен", "You need to set your user email before being able to send test emails." : "Трябва да зададете своя имейл преди да можете да изпращате тестови имейли.", "Invalid mail address" : "невалиден адрес на електронна поща", diff --git a/settings/l10n/bn_BD.js b/settings/l10n/bn_BD.js index 498f76a4c75..a1ddd986507 100644 --- a/settings/l10n/bn_BD.js +++ b/settings/l10n/bn_BD.js @@ -2,7 +2,6 @@ OC.L10N.register( "settings", { "Sharing" : "ভাগাভাগিরত", - "Security" : "নিরাপত্তা", "Email Server" : "ইমেইল সার্ভার", "Authentication error" : "অনুমোদন ঘটিত সমস্যা", "Your full name has been changed." : "আপনার পূর্ণ নাম পরিবর্তন করা হয়েছে।", @@ -21,7 +20,6 @@ OC.L10N.register( "Enabled" : "কার্যকর", "Saved" : "সংরক্ষণ করা হলো", "test email settings" : "ইমেইল নিয়ামকসমূহ পরীক্ষা করুন", - "If you received this email, the settings seem to be correct." : "এই ইমেইলের অর্থ নিয়ামকসমূহ সঠিক।", "Email sent" : "ই-মেইল পাঠানো হয়েছে", "Email saved" : "ই-মেইল সংরক্ষন করা হয়েছে", "All" : "সবাই", diff --git a/settings/l10n/bn_BD.json b/settings/l10n/bn_BD.json index eb4128029fd..f6c2dda7220 100644 --- a/settings/l10n/bn_BD.json +++ b/settings/l10n/bn_BD.json @@ -1,6 +1,5 @@ { "translations": { "Sharing" : "ভাগাভাগিরত", - "Security" : "নিরাপত্তা", "Email Server" : "ইমেইল সার্ভার", "Authentication error" : "অনুমোদন ঘটিত সমস্যা", "Your full name has been changed." : "আপনার পূর্ণ নাম পরিবর্তন করা হয়েছে।", @@ -19,7 +18,6 @@ "Enabled" : "কার্যকর", "Saved" : "সংরক্ষণ করা হলো", "test email settings" : "ইমেইল নিয়ামকসমূহ পরীক্ষা করুন", - "If you received this email, the settings seem to be correct." : "এই ইমেইলের অর্থ নিয়ামকসমূহ সঠিক।", "Email sent" : "ই-মেইল পাঠানো হয়েছে", "Email saved" : "ই-মেইল সংরক্ষন করা হয়েছে", "All" : "সবাই", diff --git a/settings/l10n/bs.js b/settings/l10n/bs.js index 32eaa6c94bf..398c5328495 100644 --- a/settings/l10n/bs.js +++ b/settings/l10n/bs.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Sigurnosna Upozorenja & Upozorenja Postavki", "Cron" : "Cron", "Sharing" : "Dijeljenje", - "Security" : "Sigurnost", "Email Server" : "Server e-pošte", "Log" : "Zapisnik", "Authentication error" : "Grešna autentifikacije", @@ -37,8 +36,6 @@ OC.L10N.register( "Unable to delete group." : "Nemoguće izbrisati grupu.", "Saved" : "Spremljeno", "test email settings" : "testiraj postavke e-pošte", - "If you received this email, the settings seem to be correct." : "Ako ste primili ovu e-poštu, izgleda da su postavke ispravne.", - "A problem occurred while sending the email. Please revise your settings." : "Došlo je do problema prilikom slanja e-pošte. Molim vas revidirate svoje postavke.", "Email sent" : "E-pošta je poslana", "You need to set your user email before being able to send test emails." : "Prije nego li ste u mogućnosti slati testnu email trebate postaviti svoj korisnički email.", "Invalid mail address" : "Nevažeća adresa e-pošte", diff --git a/settings/l10n/bs.json b/settings/l10n/bs.json index 95c8a81f3cb..db8ce94dba3 100644 --- a/settings/l10n/bs.json +++ b/settings/l10n/bs.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Sigurnosna Upozorenja & Upozorenja Postavki", "Cron" : "Cron", "Sharing" : "Dijeljenje", - "Security" : "Sigurnost", "Email Server" : "Server e-pošte", "Log" : "Zapisnik", "Authentication error" : "Grešna autentifikacije", @@ -35,8 +34,6 @@ "Unable to delete group." : "Nemoguće izbrisati grupu.", "Saved" : "Spremljeno", "test email settings" : "testiraj postavke e-pošte", - "If you received this email, the settings seem to be correct." : "Ako ste primili ovu e-poštu, izgleda da su postavke ispravne.", - "A problem occurred while sending the email. Please revise your settings." : "Došlo je do problema prilikom slanja e-pošte. Molim vas revidirate svoje postavke.", "Email sent" : "E-pošta je poslana", "You need to set your user email before being able to send test emails." : "Prije nego li ste u mogućnosti slati testnu email trebate postaviti svoj korisnički email.", "Invalid mail address" : "Nevažeća adresa e-pošte", diff --git a/settings/l10n/ca.js b/settings/l10n/ca.js index 5ee226c6b43..0a607d351a8 100644 --- a/settings/l10n/ca.js +++ b/settings/l10n/ca.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Avisos de seguretat i configuració", "Cron" : "Cron", "Sharing" : "Compartir", - "Security" : "Seguretat", "Email Server" : "Servidor de correu", "Log" : "Registre", "Authentication error" : "Error d'autenticació", @@ -34,8 +33,6 @@ OC.L10N.register( "Recommended" : "Recomanat", "Saved" : "Desat", "test email settings" : "prova l'arranjament del correu", - "If you received this email, the settings seem to be correct." : "Si rebeu aquest correu sembla que l'arranjament del correu és correcte.", - "A problem occurred while sending the email. Please revise your settings." : "Hi ha hagut un problema enviant el correu. Reviseu la configuració.", "Email sent" : "El correu electrónic s'ha enviat", "You need to set your user email before being able to send test emails." : "Heu d'establir un nom d'usuari abans de poder enviar correus de prova.", "Email saved" : "S'ha desat el correu electrònic", diff --git a/settings/l10n/ca.json b/settings/l10n/ca.json index 8ae4df81c33..782579e3c80 100644 --- a/settings/l10n/ca.json +++ b/settings/l10n/ca.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Avisos de seguretat i configuració", "Cron" : "Cron", "Sharing" : "Compartir", - "Security" : "Seguretat", "Email Server" : "Servidor de correu", "Log" : "Registre", "Authentication error" : "Error d'autenticació", @@ -32,8 +31,6 @@ "Recommended" : "Recomanat", "Saved" : "Desat", "test email settings" : "prova l'arranjament del correu", - "If you received this email, the settings seem to be correct." : "Si rebeu aquest correu sembla que l'arranjament del correu és correcte.", - "A problem occurred while sending the email. Please revise your settings." : "Hi ha hagut un problema enviant el correu. Reviseu la configuració.", "Email sent" : "El correu electrónic s'ha enviat", "You need to set your user email before being able to send test emails." : "Heu d'establir un nom d'usuari abans de poder enviar correus de prova.", "Email saved" : "S'ha desat el correu electrònic", diff --git a/settings/l10n/cs_CZ.js b/settings/l10n/cs_CZ.js index a2856534eaa..7703c8e2c23 100644 --- a/settings/l10n/cs_CZ.js +++ b/settings/l10n/cs_CZ.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Upozornění zabezpečení a nastavení", "Cron" : "Cron", "Sharing" : "Sdílení", - "Security" : "Zabezpečení", "Email Server" : "Emailový server", "Log" : "Záznam", "Authentication error" : "Chyba přihlášení", @@ -39,8 +38,7 @@ OC.L10N.register( "log-level out of allowed range" : "úroveň logování z povoleného rozpětí", "Saved" : "Uloženo", "test email settings" : "otestovat nastavení emailu", - "If you received this email, the settings seem to be correct." : "Pokud jste obdrželi tento email, nastavení se zdají být v pořádku.", - "A problem occurred while sending the email. Please revise your settings." : "Při odesílání emailu nastala chyba. Překontrolujte prosím svá nastavení.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Při odesílání emailu nastala chyba. Překontrolujte prosím svá nastavení. (Error: %s)", "Email sent" : "Email odeslán", "You need to set your user email before being able to send test emails." : "Pro možnost odeslání zkušebních emailů musíte nejprve nastavit svou emailovou adresu.", "Invalid mail address" : "Neplatná emailová adresa", @@ -132,6 +130,7 @@ OC.L10N.register( "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Nebylo možné spustit službu cron v CLI. Došlo k následujícím technickým chybám:", "Configuration Checks" : "Ověření konfigurace", "No problems found" : "Nebyly nalezeny žádné problémy", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Ověřte znovu prosím informace z <a href=\"%s\">instalační příručky</a> a zkontrolujte <a href=\"#log-section\">log</a> na výskyt chyb a varování.", "Last cron job execution: %s." : "Poslední cron proběhl: %s.", "Last cron job execution: %s. Something seems wrong." : "Poslední cron proběhl: %s. Vypadá to, že něco není v pořádku.", "Cron was not executed yet!" : "Cron ještě nebyl spuštěn!", diff --git a/settings/l10n/cs_CZ.json b/settings/l10n/cs_CZ.json index 012c0db3457..171aa88a088 100644 --- a/settings/l10n/cs_CZ.json +++ b/settings/l10n/cs_CZ.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Upozornění zabezpečení a nastavení", "Cron" : "Cron", "Sharing" : "Sdílení", - "Security" : "Zabezpečení", "Email Server" : "Emailový server", "Log" : "Záznam", "Authentication error" : "Chyba přihlášení", @@ -37,8 +36,7 @@ "log-level out of allowed range" : "úroveň logování z povoleného rozpětí", "Saved" : "Uloženo", "test email settings" : "otestovat nastavení emailu", - "If you received this email, the settings seem to be correct." : "Pokud jste obdrželi tento email, nastavení se zdají být v pořádku.", - "A problem occurred while sending the email. Please revise your settings." : "Při odesílání emailu nastala chyba. Překontrolujte prosím svá nastavení.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Při odesílání emailu nastala chyba. Překontrolujte prosím svá nastavení. (Error: %s)", "Email sent" : "Email odeslán", "You need to set your user email before being able to send test emails." : "Pro možnost odeslání zkušebních emailů musíte nejprve nastavit svou emailovou adresu.", "Invalid mail address" : "Neplatná emailová adresa", @@ -130,6 +128,7 @@ "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Nebylo možné spustit službu cron v CLI. Došlo k následujícím technickým chybám:", "Configuration Checks" : "Ověření konfigurace", "No problems found" : "Nebyly nalezeny žádné problémy", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Ověřte znovu prosím informace z <a href=\"%s\">instalační příručky</a> a zkontrolujte <a href=\"#log-section\">log</a> na výskyt chyb a varování.", "Last cron job execution: %s." : "Poslední cron proběhl: %s.", "Last cron job execution: %s. Something seems wrong." : "Poslední cron proběhl: %s. Vypadá to, že něco není v pořádku.", "Cron was not executed yet!" : "Cron ještě nebyl spuštěn!", diff --git a/settings/l10n/da.js b/settings/l10n/da.js index bba55f27a52..e011534cc29 100644 --- a/settings/l10n/da.js +++ b/settings/l10n/da.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Advarsler om sikkerhed og opsætning", "Cron" : "Cron", "Sharing" : "Deling", - "Security" : "Sikkerhed", "Email Server" : "E-mailserver", "Log" : "Log", "Authentication error" : "Adgangsfejl", @@ -39,8 +38,6 @@ OC.L10N.register( "log-level out of allowed range" : "niveau for logregistrering går ud over tilladte interval", "Saved" : "Gemt", "test email settings" : "test e-mailindstillinger", - "If you received this email, the settings seem to be correct." : "Hvis du har modtaget denne e-mail, så lader indstillinger til at være korrekte.", - "A problem occurred while sending the email. Please revise your settings." : "Der opstod en fejl under afsendelse af e-mailen. Gennemse venligst dine indstillinger.", "Email sent" : "E-mail afsendt", "You need to set your user email before being able to send test emails." : "Du skal angive din bruger-e-mail før der kan sendes test-e-mail.", "Invalid mail address" : "Ugyldig mailadresse", diff --git a/settings/l10n/da.json b/settings/l10n/da.json index 17444a752d2..e7574292916 100644 --- a/settings/l10n/da.json +++ b/settings/l10n/da.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Advarsler om sikkerhed og opsætning", "Cron" : "Cron", "Sharing" : "Deling", - "Security" : "Sikkerhed", "Email Server" : "E-mailserver", "Log" : "Log", "Authentication error" : "Adgangsfejl", @@ -37,8 +36,6 @@ "log-level out of allowed range" : "niveau for logregistrering går ud over tilladte interval", "Saved" : "Gemt", "test email settings" : "test e-mailindstillinger", - "If you received this email, the settings seem to be correct." : "Hvis du har modtaget denne e-mail, så lader indstillinger til at være korrekte.", - "A problem occurred while sending the email. Please revise your settings." : "Der opstod en fejl under afsendelse af e-mailen. Gennemse venligst dine indstillinger.", "Email sent" : "E-mail afsendt", "You need to set your user email before being able to send test emails." : "Du skal angive din bruger-e-mail før der kan sendes test-e-mail.", "Invalid mail address" : "Ugyldig mailadresse", diff --git a/settings/l10n/de.js b/settings/l10n/de.js index 2b2db61a89b..cd8117f72e4 100644 --- a/settings/l10n/de.js +++ b/settings/l10n/de.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Sicherheits- & Einrichtungswarnungen", "Cron" : "Cron", "Sharing" : "Teilen", - "Security" : "Sicherheit", "Email Server" : "E-Mail-Server", "Log" : "Log", "Authentication error" : "Authentifizierungsfehler", @@ -39,8 +38,7 @@ OC.L10N.register( "log-level out of allowed range" : "Log-Level außerhalb des erlaubten Bereichs", "Saved" : "Gespeichert", "test email settings" : "E-Mail-Einstellungen testen", - "If you received this email, the settings seem to be correct." : "Wenn Du diese E-Mail erhalten hast, sind die Einstellungen korrekt.", - "A problem occurred while sending the email. Please revise your settings." : "Ein Problem ist beim Senden der E-Mail aufgetreten. Bitte überprüfe deine Einstellungen.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Beim Senden der E-Mail ist ein Problem aufgetreten. Bitte überprüfe Deine Einstellungen. (Fehler: %s)", "Email sent" : "E-Mail wurde verschickt", "You need to set your user email before being able to send test emails." : "Du musst zunächst Deine Benutzer-E-Mail-Adresse angeben, bevor Du Test-E-Mail verschicken kannst.", "Invalid mail address" : "Ungültige E-Mail-Adresse", @@ -132,6 +130,7 @@ OC.L10N.register( "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Die Ausführung des Cron-Jobs über die Kommandozeile war nicht möglich. Die folgenden technischen Fehler sind dabei aufgetreten:", "Configuration Checks" : "Konfigurationsprüfungen", "No problems found" : "Keine Probleme gefunden", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Bitte überprüfe noch einmal die <a href=\"%s\">Installationsanleitungen</a> und kontrolliere das <a href=\"#log-section\">Log</a> auf mögliche Fehler oder Warnungen.", "Last cron job execution: %s." : "Letzte Cron-Job-Ausführung: %s.", "Last cron job execution: %s. Something seems wrong." : "Letzte Cron-Job-Ausführung: %s. Möglicherweise liegt ein Fehler vor.", "Cron was not executed yet!" : "Cron wurde bis jetzt noch nicht ausgeführt!", diff --git a/settings/l10n/de.json b/settings/l10n/de.json index 031dab3f074..5c664803c31 100644 --- a/settings/l10n/de.json +++ b/settings/l10n/de.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Sicherheits- & Einrichtungswarnungen", "Cron" : "Cron", "Sharing" : "Teilen", - "Security" : "Sicherheit", "Email Server" : "E-Mail-Server", "Log" : "Log", "Authentication error" : "Authentifizierungsfehler", @@ -37,8 +36,7 @@ "log-level out of allowed range" : "Log-Level außerhalb des erlaubten Bereichs", "Saved" : "Gespeichert", "test email settings" : "E-Mail-Einstellungen testen", - "If you received this email, the settings seem to be correct." : "Wenn Du diese E-Mail erhalten hast, sind die Einstellungen korrekt.", - "A problem occurred while sending the email. Please revise your settings." : "Ein Problem ist beim Senden der E-Mail aufgetreten. Bitte überprüfe deine Einstellungen.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Beim Senden der E-Mail ist ein Problem aufgetreten. Bitte überprüfe Deine Einstellungen. (Fehler: %s)", "Email sent" : "E-Mail wurde verschickt", "You need to set your user email before being able to send test emails." : "Du musst zunächst Deine Benutzer-E-Mail-Adresse angeben, bevor Du Test-E-Mail verschicken kannst.", "Invalid mail address" : "Ungültige E-Mail-Adresse", @@ -130,6 +128,7 @@ "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Die Ausführung des Cron-Jobs über die Kommandozeile war nicht möglich. Die folgenden technischen Fehler sind dabei aufgetreten:", "Configuration Checks" : "Konfigurationsprüfungen", "No problems found" : "Keine Probleme gefunden", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Bitte überprüfe noch einmal die <a href=\"%s\">Installationsanleitungen</a> und kontrolliere das <a href=\"#log-section\">Log</a> auf mögliche Fehler oder Warnungen.", "Last cron job execution: %s." : "Letzte Cron-Job-Ausführung: %s.", "Last cron job execution: %s. Something seems wrong." : "Letzte Cron-Job-Ausführung: %s. Möglicherweise liegt ein Fehler vor.", "Cron was not executed yet!" : "Cron wurde bis jetzt noch nicht ausgeführt!", diff --git a/settings/l10n/de_DE.js b/settings/l10n/de_DE.js index 1825f1049d6..69d85ca3d54 100644 --- a/settings/l10n/de_DE.js +++ b/settings/l10n/de_DE.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Sicherheits- & Einrichtungswarnungen", "Cron" : "Cron", "Sharing" : "Teilen", - "Security" : "Sicherheit", "Email Server" : "E-Mail-Server", "Log" : "Log", "Authentication error" : "Authentifizierungsfehler", @@ -39,8 +38,7 @@ OC.L10N.register( "log-level out of allowed range" : "Log-Level außerhalb des erlaubten Bereichs", "Saved" : "Gespeichert", "test email settings" : "E-Mail-Einstellungen testen", - "If you received this email, the settings seem to be correct." : "Wenn Sie diese E-Mail erhalten haben, scheinen die Einstellungen richtig zu sein.", - "A problem occurred while sending the email. Please revise your settings." : "Ein Problem ist beim Senden der E-Mail aufgetreten. Bitte überprüfen Sie Ihre Einstellungen.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Beim Senden der E-Mail ist ein Problem aufgetreten. Bitte überprüfen Sie Ihre Einstellungen. (Fehler: %s)", "Email sent" : "E-Mail gesendet", "You need to set your user email before being able to send test emails." : "Sie müssen Ihre Benutzer-E-Mail-Adresse einstellen, bevor Sie Test-E-Mails versenden können.", "Invalid mail address" : "Ungültige E-Mail-Adresse", @@ -132,6 +130,7 @@ OC.L10N.register( "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Die Ausführung des Cron-Jobs über die Kommandozeile war nicht möglich. Die folgenden technischen Fehler sind dabei aufgetreten:", "Configuration Checks" : "Konfigurationsprüfungen", "No problems found" : "Keine Probleme gefunden", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Bitte überprüfen Sie noch einmal die <a href=\"%s\">Installationsanleitungen</a> und kontrollieren Sie das <a href=\"#log-section\">Log</a> auf mögliche Fehler oder Warnungen.", "Last cron job execution: %s." : "Letzte Cron-Job-Ausführung: %s.", "Last cron job execution: %s. Something seems wrong." : "Letzte Cron-Job-Ausführung: %s. Möglicherweise liegt ein Fehler vor.", "Cron was not executed yet!" : "Cron wurde bis jetzt noch nicht ausgeführt!", diff --git a/settings/l10n/de_DE.json b/settings/l10n/de_DE.json index 8b885bb876f..68673822c03 100644 --- a/settings/l10n/de_DE.json +++ b/settings/l10n/de_DE.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Sicherheits- & Einrichtungswarnungen", "Cron" : "Cron", "Sharing" : "Teilen", - "Security" : "Sicherheit", "Email Server" : "E-Mail-Server", "Log" : "Log", "Authentication error" : "Authentifizierungsfehler", @@ -37,8 +36,7 @@ "log-level out of allowed range" : "Log-Level außerhalb des erlaubten Bereichs", "Saved" : "Gespeichert", "test email settings" : "E-Mail-Einstellungen testen", - "If you received this email, the settings seem to be correct." : "Wenn Sie diese E-Mail erhalten haben, scheinen die Einstellungen richtig zu sein.", - "A problem occurred while sending the email. Please revise your settings." : "Ein Problem ist beim Senden der E-Mail aufgetreten. Bitte überprüfen Sie Ihre Einstellungen.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Beim Senden der E-Mail ist ein Problem aufgetreten. Bitte überprüfen Sie Ihre Einstellungen. (Fehler: %s)", "Email sent" : "E-Mail gesendet", "You need to set your user email before being able to send test emails." : "Sie müssen Ihre Benutzer-E-Mail-Adresse einstellen, bevor Sie Test-E-Mails versenden können.", "Invalid mail address" : "Ungültige E-Mail-Adresse", @@ -130,6 +128,7 @@ "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Die Ausführung des Cron-Jobs über die Kommandozeile war nicht möglich. Die folgenden technischen Fehler sind dabei aufgetreten:", "Configuration Checks" : "Konfigurationsprüfungen", "No problems found" : "Keine Probleme gefunden", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Bitte überprüfen Sie noch einmal die <a href=\"%s\">Installationsanleitungen</a> und kontrollieren Sie das <a href=\"#log-section\">Log</a> auf mögliche Fehler oder Warnungen.", "Last cron job execution: %s." : "Letzte Cron-Job-Ausführung: %s.", "Last cron job execution: %s. Something seems wrong." : "Letzte Cron-Job-Ausführung: %s. Möglicherweise liegt ein Fehler vor.", "Cron was not executed yet!" : "Cron wurde bis jetzt noch nicht ausgeführt!", diff --git a/settings/l10n/el.js b/settings/l10n/el.js index 2b8bdac8d73..d1aa6041f45 100644 --- a/settings/l10n/el.js +++ b/settings/l10n/el.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Προειδοποιήσεις ασφάλειας & ρυθμίσεων", "Cron" : "Cron", "Sharing" : "Διαμοιρασμός", - "Security" : "Ασφάλεια", "Email Server" : "Διακομιστής Email", "Log" : "Καταγραφές", "Authentication error" : "Σφάλμα πιστοποίησης", @@ -38,8 +37,6 @@ OC.L10N.register( "Unable to delete group." : "Αδυναμία διαγραφής ομάδας.", "Saved" : "Αποθηκεύτηκαν", "test email settings" : "δοκιμή ρυθμίσεων email", - "If you received this email, the settings seem to be correct." : "Εάν λάβατε αυτό το email, οι ρυθμίσεις δείχνουν να είναι σωστές.", - "A problem occurred while sending the email. Please revise your settings." : "Παρουσιάστηκε ένα σφάλμα κατά την αποστολή του email. Παρακαλώ αναθεωρήστε τις ρυθμίσεις σας.", "Email sent" : "Το Email απεστάλη ", "You need to set your user email before being able to send test emails." : "Πρέπει να ορίσετε το email του χρήστη πριν να είστε σε θέση να στείλετε δοκιμαστικά emails.", "Invalid mail address" : "Μη έγκυρη διεύθυνση ταχυδρομείου.", diff --git a/settings/l10n/el.json b/settings/l10n/el.json index b9ea914de98..44d06dc53c6 100644 --- a/settings/l10n/el.json +++ b/settings/l10n/el.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Προειδοποιήσεις ασφάλειας & ρυθμίσεων", "Cron" : "Cron", "Sharing" : "Διαμοιρασμός", - "Security" : "Ασφάλεια", "Email Server" : "Διακομιστής Email", "Log" : "Καταγραφές", "Authentication error" : "Σφάλμα πιστοποίησης", @@ -36,8 +35,6 @@ "Unable to delete group." : "Αδυναμία διαγραφής ομάδας.", "Saved" : "Αποθηκεύτηκαν", "test email settings" : "δοκιμή ρυθμίσεων email", - "If you received this email, the settings seem to be correct." : "Εάν λάβατε αυτό το email, οι ρυθμίσεις δείχνουν να είναι σωστές.", - "A problem occurred while sending the email. Please revise your settings." : "Παρουσιάστηκε ένα σφάλμα κατά την αποστολή του email. Παρακαλώ αναθεωρήστε τις ρυθμίσεις σας.", "Email sent" : "Το Email απεστάλη ", "You need to set your user email before being able to send test emails." : "Πρέπει να ορίσετε το email του χρήστη πριν να είστε σε θέση να στείλετε δοκιμαστικά emails.", "Invalid mail address" : "Μη έγκυρη διεύθυνση ταχυδρομείου.", diff --git a/settings/l10n/en_GB.js b/settings/l10n/en_GB.js index 3109540a699..52735d9f8bd 100644 --- a/settings/l10n/en_GB.js +++ b/settings/l10n/en_GB.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Security & Setup Warnings", "Cron" : "Cron", "Sharing" : "Sharing", - "Security" : "Security", "Email Server" : "Email Server", "Log" : "Log", "Authentication error" : "Authentication error", @@ -39,8 +38,6 @@ OC.L10N.register( "log-level out of allowed range" : "log-level out of allowed range", "Saved" : "Saved", "test email settings" : "test email settings", - "If you received this email, the settings seem to be correct." : "If you received this email, the settings seem to be correct.", - "A problem occurred while sending the email. Please revise your settings." : "A problem occurred whilst sending the email. Please revise your settings.", "Email sent" : "Email sent", "You need to set your user email before being able to send test emails." : "You need to set your user email before being able to send test emails.", "Invalid mail address" : "Invalid mail address", diff --git a/settings/l10n/en_GB.json b/settings/l10n/en_GB.json index ac99428a6af..7a2e2ec716c 100644 --- a/settings/l10n/en_GB.json +++ b/settings/l10n/en_GB.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Security & Setup Warnings", "Cron" : "Cron", "Sharing" : "Sharing", - "Security" : "Security", "Email Server" : "Email Server", "Log" : "Log", "Authentication error" : "Authentication error", @@ -37,8 +36,6 @@ "log-level out of allowed range" : "log-level out of allowed range", "Saved" : "Saved", "test email settings" : "test email settings", - "If you received this email, the settings seem to be correct." : "If you received this email, the settings seem to be correct.", - "A problem occurred while sending the email. Please revise your settings." : "A problem occurred whilst sending the email. Please revise your settings.", "Email sent" : "Email sent", "You need to set your user email before being able to send test emails." : "You need to set your user email before being able to send test emails.", "Invalid mail address" : "Invalid mail address", diff --git a/settings/l10n/eo.js b/settings/l10n/eo.js index ac2cde8908b..51851c5e31c 100644 --- a/settings/l10n/eo.js +++ b/settings/l10n/eo.js @@ -3,7 +3,6 @@ OC.L10N.register( { "Cron" : "Cron", "Sharing" : "Kunhavigo", - "Security" : "Sekuro", "Email Server" : "Retpoŝtoservilo", "Log" : "Protokolo", "Authentication error" : "Aŭtentiga eraro", diff --git a/settings/l10n/eo.json b/settings/l10n/eo.json index 7ae45f9d09b..a766d3e69b6 100644 --- a/settings/l10n/eo.json +++ b/settings/l10n/eo.json @@ -1,7 +1,6 @@ { "translations": { "Cron" : "Cron", "Sharing" : "Kunhavigo", - "Security" : "Sekuro", "Email Server" : "Retpoŝtoservilo", "Log" : "Protokolo", "Authentication error" : "Aŭtentiga eraro", diff --git a/settings/l10n/es.js b/settings/l10n/es.js index e2eda7c10a1..ab6b78dedf6 100644 --- a/settings/l10n/es.js +++ b/settings/l10n/es.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Advertencias de configuración y seguridad", "Cron" : "Cron", "Sharing" : "Compartiendo", - "Security" : "Seguridad", "Email Server" : "Servidor de correo electrónico", "Log" : "Registro", "Authentication error" : "Error de autenticación", @@ -39,8 +38,6 @@ OC.L10N.register( "log-level out of allowed range" : "Nivel de autenticación fuera del rango permitido", "Saved" : "Guardado", "test email settings" : "probar configuración de correo electrónico", - "If you received this email, the settings seem to be correct." : "Si recibió este mensaje de correo electrónico, su configuración debe estar correcta.", - "A problem occurred while sending the email. Please revise your settings." : "Ocurrió un problema al mandar el mensaje. Revise la configuración.", "Email sent" : "Correo electrónico enviado", "You need to set your user email before being able to send test emails." : "Tiene que configurar su dirección de correo electrónico antes de poder enviar mensajes de prueba.", "Invalid mail address" : "Dirección de correo inválida", @@ -132,6 +129,7 @@ OC.L10N.register( "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "No fue posible ejecutar cronjob vía CLI. Han aparecido los siguientes errores técnicos:", "Configuration Checks" : "Comprobaciones de la configuración", "No problems found" : "No se han encontrado problemas", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Por favor, revise las <a href=\"%s\">guías de instalación</a>, y compruebe errores o avisos en el <a href=\"#log-section\">registro</a>.", "Last cron job execution: %s." : "Cron se ejecutó por última vez: %s", "Last cron job execution: %s. Something seems wrong." : "Cron se ejecutó por última vez: %s. Algo va mal.", "Cron was not executed yet!" : "¡Cron aún no ha sido ejecutado!", diff --git a/settings/l10n/es.json b/settings/l10n/es.json index b27eaaac479..260de23521e 100644 --- a/settings/l10n/es.json +++ b/settings/l10n/es.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Advertencias de configuración y seguridad", "Cron" : "Cron", "Sharing" : "Compartiendo", - "Security" : "Seguridad", "Email Server" : "Servidor de correo electrónico", "Log" : "Registro", "Authentication error" : "Error de autenticación", @@ -37,8 +36,6 @@ "log-level out of allowed range" : "Nivel de autenticación fuera del rango permitido", "Saved" : "Guardado", "test email settings" : "probar configuración de correo electrónico", - "If you received this email, the settings seem to be correct." : "Si recibió este mensaje de correo electrónico, su configuración debe estar correcta.", - "A problem occurred while sending the email. Please revise your settings." : "Ocurrió un problema al mandar el mensaje. Revise la configuración.", "Email sent" : "Correo electrónico enviado", "You need to set your user email before being able to send test emails." : "Tiene que configurar su dirección de correo electrónico antes de poder enviar mensajes de prueba.", "Invalid mail address" : "Dirección de correo inválida", @@ -130,6 +127,7 @@ "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "No fue posible ejecutar cronjob vía CLI. Han aparecido los siguientes errores técnicos:", "Configuration Checks" : "Comprobaciones de la configuración", "No problems found" : "No se han encontrado problemas", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Por favor, revise las <a href=\"%s\">guías de instalación</a>, y compruebe errores o avisos en el <a href=\"#log-section\">registro</a>.", "Last cron job execution: %s." : "Cron se ejecutó por última vez: %s", "Last cron job execution: %s. Something seems wrong." : "Cron se ejecutó por última vez: %s. Algo va mal.", "Cron was not executed yet!" : "¡Cron aún no ha sido ejecutado!", diff --git a/settings/l10n/es_AR.js b/settings/l10n/es_AR.js index cfd4b3d9daf..40559b016c6 100644 --- a/settings/l10n/es_AR.js +++ b/settings/l10n/es_AR.js @@ -3,7 +3,6 @@ OC.L10N.register( { "Cron" : "Cron", "Sharing" : "Compartiendo", - "Security" : "Seguridad", "Email Server" : "Servidor de correo electrónico", "Log" : "Log", "Authentication error" : "Error al autenticar", @@ -24,7 +23,6 @@ OC.L10N.register( "Enabled" : "Habilitado", "Saved" : "Guardado", "test email settings" : "Configuración de correo de prueba.", - "If you received this email, the settings seem to be correct." : "Si recibió este correo, la configuración parece estar correcta.", "Email sent" : "e-mail mandado", "You need to set your user email before being able to send test emails." : "Necesita especificar el usuario de correo electrónico antes de poder enviar correos electrónicos de prueba.", "Email saved" : "e-mail guardado", diff --git a/settings/l10n/es_AR.json b/settings/l10n/es_AR.json index f2b8322c40b..e7045951f45 100644 --- a/settings/l10n/es_AR.json +++ b/settings/l10n/es_AR.json @@ -1,7 +1,6 @@ { "translations": { "Cron" : "Cron", "Sharing" : "Compartiendo", - "Security" : "Seguridad", "Email Server" : "Servidor de correo electrónico", "Log" : "Log", "Authentication error" : "Error al autenticar", @@ -22,7 +21,6 @@ "Enabled" : "Habilitado", "Saved" : "Guardado", "test email settings" : "Configuración de correo de prueba.", - "If you received this email, the settings seem to be correct." : "Si recibió este correo, la configuración parece estar correcta.", "Email sent" : "e-mail mandado", "You need to set your user email before being able to send test emails." : "Necesita especificar el usuario de correo electrónico antes de poder enviar correos electrónicos de prueba.", "Email saved" : "e-mail guardado", diff --git a/settings/l10n/es_MX.js b/settings/l10n/es_MX.js index c0919321307..cb32d47b8f8 100644 --- a/settings/l10n/es_MX.js +++ b/settings/l10n/es_MX.js @@ -3,7 +3,6 @@ OC.L10N.register( { "Cron" : "Cron", "Sharing" : "Compartiendo", - "Security" : "Seguridad", "Log" : "Registro", "Authentication error" : "Error de autenticación", "Your full name has been changed." : "Se ha cambiado su nombre completo.", diff --git a/settings/l10n/es_MX.json b/settings/l10n/es_MX.json index d73e8b2fdb4..9422e58890f 100644 --- a/settings/l10n/es_MX.json +++ b/settings/l10n/es_MX.json @@ -1,7 +1,6 @@ { "translations": { "Cron" : "Cron", "Sharing" : "Compartiendo", - "Security" : "Seguridad", "Log" : "Registro", "Authentication error" : "Error de autenticación", "Your full name has been changed." : "Se ha cambiado su nombre completo.", diff --git a/settings/l10n/et_EE.js b/settings/l10n/et_EE.js index 837f98162c7..1e960ace68f 100644 --- a/settings/l10n/et_EE.js +++ b/settings/l10n/et_EE.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Turva- ja paigalduse hoiatused", "Cron" : "Cron", "Sharing" : "Jagamine", - "Security" : "Turvalisus", "Email Server" : "Postiserver", "Log" : "Logi", "Authentication error" : "Autentimise viga", @@ -34,8 +33,6 @@ OC.L10N.register( "Recommended" : "Soovitatud", "Saved" : "Salvestatud", "test email settings" : "testi e-posti seadeid", - "If you received this email, the settings seem to be correct." : "Kui said selle kirja, siis on seadistus korrektne.", - "A problem occurred while sending the email. Please revise your settings." : "Kirja saatmisel tekkis tõrge. Palun kontrolli üle oma seadistus.", "Email sent" : "E-kiri on saadetud", "You need to set your user email before being able to send test emails." : "Pead seadistama oma e-postienne kui on võimalik saata test-kirju.", "Email saved" : "Kiri on salvestatud", diff --git a/settings/l10n/et_EE.json b/settings/l10n/et_EE.json index 94180d22cd5..7badb8ed0df 100644 --- a/settings/l10n/et_EE.json +++ b/settings/l10n/et_EE.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Turva- ja paigalduse hoiatused", "Cron" : "Cron", "Sharing" : "Jagamine", - "Security" : "Turvalisus", "Email Server" : "Postiserver", "Log" : "Logi", "Authentication error" : "Autentimise viga", @@ -32,8 +31,6 @@ "Recommended" : "Soovitatud", "Saved" : "Salvestatud", "test email settings" : "testi e-posti seadeid", - "If you received this email, the settings seem to be correct." : "Kui said selle kirja, siis on seadistus korrektne.", - "A problem occurred while sending the email. Please revise your settings." : "Kirja saatmisel tekkis tõrge. Palun kontrolli üle oma seadistus.", "Email sent" : "E-kiri on saadetud", "You need to set your user email before being able to send test emails." : "Pead seadistama oma e-postienne kui on võimalik saata test-kirju.", "Email saved" : "Kiri on salvestatud", diff --git a/settings/l10n/eu.js b/settings/l10n/eu.js index c9123659b76..d043adac2d1 100644 --- a/settings/l10n/eu.js +++ b/settings/l10n/eu.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Segurtasun eta Konfigurazio Abisuak", "Cron" : "Cron", "Sharing" : "Partekatzea", - "Security" : "Segurtasuna", "Email Server" : "Eposta zerbitzaria", "Log" : "Log", "Authentication error" : "Autentifikazio errorea", @@ -38,8 +37,6 @@ OC.L10N.register( "log-level out of allowed range" : "erregistro-maila baimendutako tartetik at", "Saved" : "Gordeta", "test email settings" : "probatu eposta ezarpenak", - "If you received this email, the settings seem to be correct." : "Eposta hau jaso baduzu, zure ezarpenak egokiak direnaren seinale", - "A problem occurred while sending the email. Please revise your settings." : "Arazo bat gertatu da eposta bidaltzean. Berrikusi zure ezarpenak.", "Email sent" : "Eposta bidalia", "You need to set your user email before being able to send test emails." : "Epostaren erabiltzailea zehaztu behar duzu probako eposta bidali aurretik.", "Invalid mail address" : "Posta helbide baliogabea", diff --git a/settings/l10n/eu.json b/settings/l10n/eu.json index 1324065b198..65d46ac766e 100644 --- a/settings/l10n/eu.json +++ b/settings/l10n/eu.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Segurtasun eta Konfigurazio Abisuak", "Cron" : "Cron", "Sharing" : "Partekatzea", - "Security" : "Segurtasuna", "Email Server" : "Eposta zerbitzaria", "Log" : "Log", "Authentication error" : "Autentifikazio errorea", @@ -36,8 +35,6 @@ "log-level out of allowed range" : "erregistro-maila baimendutako tartetik at", "Saved" : "Gordeta", "test email settings" : "probatu eposta ezarpenak", - "If you received this email, the settings seem to be correct." : "Eposta hau jaso baduzu, zure ezarpenak egokiak direnaren seinale", - "A problem occurred while sending the email. Please revise your settings." : "Arazo bat gertatu da eposta bidaltzean. Berrikusi zure ezarpenak.", "Email sent" : "Eposta bidalia", "You need to set your user email before being able to send test emails." : "Epostaren erabiltzailea zehaztu behar duzu probako eposta bidali aurretik.", "Invalid mail address" : "Posta helbide baliogabea", diff --git a/settings/l10n/fa.js b/settings/l10n/fa.js index cc1c7f5799d..4bea729c293 100644 --- a/settings/l10n/fa.js +++ b/settings/l10n/fa.js @@ -3,7 +3,6 @@ OC.L10N.register( { "Cron" : "زمانبند", "Sharing" : "اشتراک گذاری", - "Security" : "امنیت", "Email Server" : "سرور ایمیل", "Log" : "کارنامه", "Authentication error" : "خطا در اعتبار سنجی", diff --git a/settings/l10n/fa.json b/settings/l10n/fa.json index 0d49bc82393..0847be261e0 100644 --- a/settings/l10n/fa.json +++ b/settings/l10n/fa.json @@ -1,7 +1,6 @@ { "translations": { "Cron" : "زمانبند", "Sharing" : "اشتراک گذاری", - "Security" : "امنیت", "Email Server" : "سرور ایمیل", "Log" : "کارنامه", "Authentication error" : "خطا در اعتبار سنجی", diff --git a/settings/l10n/fi_FI.js b/settings/l10n/fi_FI.js index fe4e3cda8df..72754a0112e 100644 --- a/settings/l10n/fi_FI.js +++ b/settings/l10n/fi_FI.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Turvallisuus- ja asetusvaroitukset", "Cron" : "Cron", "Sharing" : "Jakaminen", - "Security" : "Tietoturva", "Email Server" : "Sähköpostipalvelin", "Log" : "Loki", "Authentication error" : "Tunnistautumisvirhe", @@ -39,8 +38,7 @@ OC.L10N.register( "log-level out of allowed range" : "lokitaso ei sallittujen rajojen sisäpuolella", "Saved" : "Tallennettu", "test email settings" : "testaa sähköpostiasetukset", - "If you received this email, the settings seem to be correct." : "Jos sait tämän sähköpostin, kaikki asetukset vaikuttavat olevan kunnossa.", - "A problem occurred while sending the email. Please revise your settings." : "Sähköpostia lähettäessä tapahtui virhe. Tarkista asetukset.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Sähköpostia lähettäessä tapahtui virhe. Tarkista asetukset. (Virhe: %s)", "Email sent" : "Sähköposti lähetetty", "You need to set your user email before being able to send test emails." : "Aseta sähköpostiosoite, jotta voit testata sähköpostin toimivuutta.", "Invalid mail address" : "Virheellinen sähköpostiosoite", @@ -126,6 +124,7 @@ OC.L10N.register( "Cronjob encountered misconfiguration" : "Cron-työ epäonnistui väärien asetusten vuoksi", "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Cron-työn suorittaminen komentorivin kautta ei onnistunut. Ilmeni seuraavia teknisiä virheitä:", "No problems found" : "Ongelmia ei löytynyt", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Lue <a href=\"%s\">asennusohjeet</a> uudelleen. Tarkista myös virheet ja varoitukset <a href=\"#log-section\">lokista</a>.", "Last cron job execution: %s." : "Viimeisin cron-työn suoritus: %s.", "Last cron job execution: %s. Something seems wrong." : "Viimeisin cron-työn suoritus: %s. Jokin vaikuttaa menneen pieleen.", "Cron was not executed yet!" : "Cronia ei suoritettu vielä!", diff --git a/settings/l10n/fi_FI.json b/settings/l10n/fi_FI.json index d59f58b2c69..c88725c3c80 100644 --- a/settings/l10n/fi_FI.json +++ b/settings/l10n/fi_FI.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Turvallisuus- ja asetusvaroitukset", "Cron" : "Cron", "Sharing" : "Jakaminen", - "Security" : "Tietoturva", "Email Server" : "Sähköpostipalvelin", "Log" : "Loki", "Authentication error" : "Tunnistautumisvirhe", @@ -37,8 +36,7 @@ "log-level out of allowed range" : "lokitaso ei sallittujen rajojen sisäpuolella", "Saved" : "Tallennettu", "test email settings" : "testaa sähköpostiasetukset", - "If you received this email, the settings seem to be correct." : "Jos sait tämän sähköpostin, kaikki asetukset vaikuttavat olevan kunnossa.", - "A problem occurred while sending the email. Please revise your settings." : "Sähköpostia lähettäessä tapahtui virhe. Tarkista asetukset.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Sähköpostia lähettäessä tapahtui virhe. Tarkista asetukset. (Virhe: %s)", "Email sent" : "Sähköposti lähetetty", "You need to set your user email before being able to send test emails." : "Aseta sähköpostiosoite, jotta voit testata sähköpostin toimivuutta.", "Invalid mail address" : "Virheellinen sähköpostiosoite", @@ -124,6 +122,7 @@ "Cronjob encountered misconfiguration" : "Cron-työ epäonnistui väärien asetusten vuoksi", "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Cron-työn suorittaminen komentorivin kautta ei onnistunut. Ilmeni seuraavia teknisiä virheitä:", "No problems found" : "Ongelmia ei löytynyt", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Lue <a href=\"%s\">asennusohjeet</a> uudelleen. Tarkista myös virheet ja varoitukset <a href=\"#log-section\">lokista</a>.", "Last cron job execution: %s." : "Viimeisin cron-työn suoritus: %s.", "Last cron job execution: %s. Something seems wrong." : "Viimeisin cron-työn suoritus: %s. Jokin vaikuttaa menneen pieleen.", "Cron was not executed yet!" : "Cronia ei suoritettu vielä!", diff --git a/settings/l10n/fr.js b/settings/l10n/fr.js index e502acc3643..bad6637d00a 100644 --- a/settings/l10n/fr.js +++ b/settings/l10n/fr.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Alertes de sécurité ou de configuration", "Cron" : "Cron", "Sharing" : "Partage", - "Security" : "Sécurité", "Email Server" : "Serveur mail", "Log" : "Log", "Authentication error" : "Erreur d'authentification", @@ -39,8 +38,7 @@ OC.L10N.register( "log-level out of allowed range" : "niveau de journalisation hors borne", "Saved" : "Sauvegardé", "test email settings" : "tester les paramètres d'e-mail", - "If you received this email, the settings seem to be correct." : "Si vous recevez cet email, c'est que les paramètres sont corrects", - "A problem occurred while sending the email. Please revise your settings." : "Une erreur est survenue lors de l'envoi de l'e-mail. Veuillez vérifier vos paramètres.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Une erreur est survenue lors de l'envoi de l'e-mail. Veuillez vérifier vos paramètres. (Erreur: %s)", "Email sent" : "Email envoyé", "You need to set your user email before being able to send test emails." : "Vous devez configurer votre e-mail d'utilisateur avant de pouvoir envoyer des e-mails de test.", "Invalid mail address" : "Adresse email non valide", @@ -132,6 +130,7 @@ OC.L10N.register( "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "La tâche cron n'a pu s'exécuter via CLI. Ces erreurs techniques sont apparues :", "Configuration Checks" : "Vérification de la configuration", "No problems found" : "Aucun problème trouvé", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Consultez les <a href=\"%s\">guides d'installation</a>, et cherchez des erreurs dans <a href=\"#log-section\">les logs</a>.", "Last cron job execution: %s." : "Dernière tâche cron exécutée : %s.", "Last cron job execution: %s. Something seems wrong." : "Dernière tâche cron exécutée : %s. Quelque chose s'est mal passé.", "Cron was not executed yet!" : "Le cron n'a pas encore été exécuté !", @@ -170,7 +169,7 @@ OC.L10N.register( "Download logfile" : "Télécharger le fichier de journalisation", "More" : "Plus", "Less" : "Moins", - "The logfile is bigger than 100 MB. Downloading it may take some time!" : "Le fichier de journalisation dépasser les 100 Mo. Le télécharger peut prendre un certain temps.", + "The logfile is bigger than 100 MB. Downloading it may take some time!" : "La taille du fichier journal excède 100 Mo. Le télécharger peut prendre un certain temps!", "Version" : "Version", "More apps" : "Plus d'applications", "Developer documentation" : "Documentation pour les développeurs", diff --git a/settings/l10n/fr.json b/settings/l10n/fr.json index 6e853f1c55e..21196e67a8f 100644 --- a/settings/l10n/fr.json +++ b/settings/l10n/fr.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Alertes de sécurité ou de configuration", "Cron" : "Cron", "Sharing" : "Partage", - "Security" : "Sécurité", "Email Server" : "Serveur mail", "Log" : "Log", "Authentication error" : "Erreur d'authentification", @@ -37,8 +36,7 @@ "log-level out of allowed range" : "niveau de journalisation hors borne", "Saved" : "Sauvegardé", "test email settings" : "tester les paramètres d'e-mail", - "If you received this email, the settings seem to be correct." : "Si vous recevez cet email, c'est que les paramètres sont corrects", - "A problem occurred while sending the email. Please revise your settings." : "Une erreur est survenue lors de l'envoi de l'e-mail. Veuillez vérifier vos paramètres.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Une erreur est survenue lors de l'envoi de l'e-mail. Veuillez vérifier vos paramètres. (Erreur: %s)", "Email sent" : "Email envoyé", "You need to set your user email before being able to send test emails." : "Vous devez configurer votre e-mail d'utilisateur avant de pouvoir envoyer des e-mails de test.", "Invalid mail address" : "Adresse email non valide", @@ -130,6 +128,7 @@ "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "La tâche cron n'a pu s'exécuter via CLI. Ces erreurs techniques sont apparues :", "Configuration Checks" : "Vérification de la configuration", "No problems found" : "Aucun problème trouvé", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Consultez les <a href=\"%s\">guides d'installation</a>, et cherchez des erreurs dans <a href=\"#log-section\">les logs</a>.", "Last cron job execution: %s." : "Dernière tâche cron exécutée : %s.", "Last cron job execution: %s. Something seems wrong." : "Dernière tâche cron exécutée : %s. Quelque chose s'est mal passé.", "Cron was not executed yet!" : "Le cron n'a pas encore été exécuté !", @@ -168,7 +167,7 @@ "Download logfile" : "Télécharger le fichier de journalisation", "More" : "Plus", "Less" : "Moins", - "The logfile is bigger than 100 MB. Downloading it may take some time!" : "Le fichier de journalisation dépasser les 100 Mo. Le télécharger peut prendre un certain temps.", + "The logfile is bigger than 100 MB. Downloading it may take some time!" : "La taille du fichier journal excède 100 Mo. Le télécharger peut prendre un certain temps!", "Version" : "Version", "More apps" : "Plus d'applications", "Developer documentation" : "Documentation pour les développeurs", diff --git a/settings/l10n/gl.js b/settings/l10n/gl.js index 157e1d62d6d..781c4ba4581 100644 --- a/settings/l10n/gl.js +++ b/settings/l10n/gl.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Avisos de seguridade e configuración", "Cron" : "Cron", "Sharing" : "Compartindo", - "Security" : "Seguranza", "Email Server" : "Servidor de correo", "Log" : "Rexistro", "Authentication error" : "Produciuse un erro de autenticación", @@ -39,8 +38,7 @@ OC.L10N.register( "log-level out of allowed range" : "o nivel do rexistro está fora do intervalo admitido", "Saved" : "Gardado", "test email settings" : "correo de proba dos axustes", - "If you received this email, the settings seem to be correct." : "Se recibiu este correo, semella que a configuración é correcta.", - "A problem occurred while sending the email. Please revise your settings." : "Produciuse un erro mentres enviaba o correo. Revise os axustes.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Produciuse un erro mentres enviaba o correo. Revise a súa configuración. (Erro: %s)", "Email sent" : "Correo enviado", "You need to set your user email before being able to send test emails." : "É necesario configurar o correo do usuario antes de poder enviar mensaxes de correo de proba.", "Invalid mail address" : "Enderezo de correo incorrecto", @@ -132,6 +130,7 @@ OC.L10N.register( "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Non foi posíbel executar a tarefa de cron programada desde a liña de ordes. Atopáronse os seguintes erros técnicos:", "Configuration Checks" : "Comprobacións da configuración", "No problems found" : "Non se atoparon problemas", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Volva comprobar as <a href=\"%s\">guías de instalación</a>, e comprobe que non existen erros ou avisos no <a href=\"#log-section\">rexistro</a>.>.", "Last cron job execution: %s." : "Última execución da tarefa de cron: %s.", "Last cron job execution: %s. Something seems wrong." : "Última execución da tarefa de cron: %s. Semella que algo vai mal", "Cron was not executed yet!" : "«Cron» aínda non foi executado!", diff --git a/settings/l10n/gl.json b/settings/l10n/gl.json index 6a09a3bbc6f..32d8a98513e 100644 --- a/settings/l10n/gl.json +++ b/settings/l10n/gl.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Avisos de seguridade e configuración", "Cron" : "Cron", "Sharing" : "Compartindo", - "Security" : "Seguranza", "Email Server" : "Servidor de correo", "Log" : "Rexistro", "Authentication error" : "Produciuse un erro de autenticación", @@ -37,8 +36,7 @@ "log-level out of allowed range" : "o nivel do rexistro está fora do intervalo admitido", "Saved" : "Gardado", "test email settings" : "correo de proba dos axustes", - "If you received this email, the settings seem to be correct." : "Se recibiu este correo, semella que a configuración é correcta.", - "A problem occurred while sending the email. Please revise your settings." : "Produciuse un erro mentres enviaba o correo. Revise os axustes.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Produciuse un erro mentres enviaba o correo. Revise a súa configuración. (Erro: %s)", "Email sent" : "Correo enviado", "You need to set your user email before being able to send test emails." : "É necesario configurar o correo do usuario antes de poder enviar mensaxes de correo de proba.", "Invalid mail address" : "Enderezo de correo incorrecto", @@ -130,6 +128,7 @@ "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Non foi posíbel executar a tarefa de cron programada desde a liña de ordes. Atopáronse os seguintes erros técnicos:", "Configuration Checks" : "Comprobacións da configuración", "No problems found" : "Non se atoparon problemas", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Volva comprobar as <a href=\"%s\">guías de instalación</a>, e comprobe que non existen erros ou avisos no <a href=\"#log-section\">rexistro</a>.>.", "Last cron job execution: %s." : "Última execución da tarefa de cron: %s.", "Last cron job execution: %s. Something seems wrong." : "Última execución da tarefa de cron: %s. Semella que algo vai mal", "Cron was not executed yet!" : "«Cron» aínda non foi executado!", diff --git a/settings/l10n/he.js b/settings/l10n/he.js index 99e717412f5..8148c8518c5 100644 --- a/settings/l10n/he.js +++ b/settings/l10n/he.js @@ -3,7 +3,6 @@ OC.L10N.register( { "Cron" : "Cron", "Sharing" : "שיתוף", - "Security" : "אבטחה", "Log" : "יומן", "Authentication error" : "שגיאת הזדהות", "Language changed" : "שפה השתנתה", diff --git a/settings/l10n/he.json b/settings/l10n/he.json index adf1d2509d0..6fecd990f42 100644 --- a/settings/l10n/he.json +++ b/settings/l10n/he.json @@ -1,7 +1,6 @@ { "translations": { "Cron" : "Cron", "Sharing" : "שיתוף", - "Security" : "אבטחה", "Log" : "יומן", "Authentication error" : "שגיאת הזדהות", "Language changed" : "שפה השתנתה", diff --git a/settings/l10n/hr.js b/settings/l10n/hr.js index e26488e6011..a44496bee83 100644 --- a/settings/l10n/hr.js +++ b/settings/l10n/hr.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Upozorenja o sigurnosti i postavkama", "Cron" : "Cron", "Sharing" : "Dijeljenje zajedničkih resursa", - "Security" : "Sigurnost", "Email Server" : "Poslužitelj e-pošte", "Log" : "Zapisnik", "Authentication error" : "Pogrešna autentikacija", @@ -33,7 +32,6 @@ OC.L10N.register( "Recommended" : "Preporuceno", "Saved" : "Spremljeno", "test email settings" : "Postavke za testiranje e-pošte", - "If you received this email, the settings seem to be correct." : "Ako ste ovu e-poštu primili,čini se da su postavke ispravne.", "Email sent" : "E-pošta je poslana", "You need to set your user email before being able to send test emails." : "Prije nego li ste u mogućnosti slati testnu e-poštu trebate postaviti svoj korisnički email.", "Email saved" : "E-pošta spremljena", diff --git a/settings/l10n/hr.json b/settings/l10n/hr.json index 2dbc156393b..bf4a5407358 100644 --- a/settings/l10n/hr.json +++ b/settings/l10n/hr.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Upozorenja o sigurnosti i postavkama", "Cron" : "Cron", "Sharing" : "Dijeljenje zajedničkih resursa", - "Security" : "Sigurnost", "Email Server" : "Poslužitelj e-pošte", "Log" : "Zapisnik", "Authentication error" : "Pogrešna autentikacija", @@ -31,7 +30,6 @@ "Recommended" : "Preporuceno", "Saved" : "Spremljeno", "test email settings" : "Postavke za testiranje e-pošte", - "If you received this email, the settings seem to be correct." : "Ako ste ovu e-poštu primili,čini se da su postavke ispravne.", "Email sent" : "E-pošta je poslana", "You need to set your user email before being able to send test emails." : "Prije nego li ste u mogućnosti slati testnu e-poštu trebate postaviti svoj korisnički email.", "Email saved" : "E-pošta spremljena", diff --git a/settings/l10n/hu_HU.js b/settings/l10n/hu_HU.js index 40c04f645a0..b0e354e07a2 100644 --- a/settings/l10n/hu_HU.js +++ b/settings/l10n/hu_HU.js @@ -3,7 +3,6 @@ OC.L10N.register( { "Cron" : "Ütemezett feladatok", "Sharing" : "Megosztás", - "Security" : "Biztonság", "Email Server" : "E-mail kiszolgáló", "Log" : "Naplózás", "Authentication error" : "Azonosítási hiba", @@ -32,7 +31,6 @@ OC.L10N.register( "Recommended" : "Ajánlott", "Saved" : "Elmentve", "test email settings" : "e-mail beállítások ellenőrzése", - "If you received this email, the settings seem to be correct." : "Amennyiben megérkezett ez az e-mail akkor a beállítások megfelelők.", "Email sent" : "Az e-mailt elküldtük", "You need to set your user email before being able to send test emails." : "Előbb meg kell adnia az e-mail címét, mielőtt tesztelni tudná az e-mail küldést.", "Email saved" : "Elmentettük az e-mail címet", diff --git a/settings/l10n/hu_HU.json b/settings/l10n/hu_HU.json index c2329653a20..1e9d6eb49e2 100644 --- a/settings/l10n/hu_HU.json +++ b/settings/l10n/hu_HU.json @@ -1,7 +1,6 @@ { "translations": { "Cron" : "Ütemezett feladatok", "Sharing" : "Megosztás", - "Security" : "Biztonság", "Email Server" : "E-mail kiszolgáló", "Log" : "Naplózás", "Authentication error" : "Azonosítási hiba", @@ -30,7 +29,6 @@ "Recommended" : "Ajánlott", "Saved" : "Elmentve", "test email settings" : "e-mail beállítások ellenőrzése", - "If you received this email, the settings seem to be correct." : "Amennyiben megérkezett ez az e-mail akkor a beállítások megfelelők.", "Email sent" : "Az e-mailt elküldtük", "You need to set your user email before being able to send test emails." : "Előbb meg kell adnia az e-mail címét, mielőtt tesztelni tudná az e-mail küldést.", "Email saved" : "Elmentettük az e-mail címet", diff --git a/settings/l10n/ia.js b/settings/l10n/ia.js index f964ae33c2b..3f90be0c618 100644 --- a/settings/l10n/ia.js +++ b/settings/l10n/ia.js @@ -4,8 +4,10 @@ OC.L10N.register( "Log" : "Registro", "Language changed" : "Linguage cambiate", "Invalid request" : "Requesta invalide", + "Wrong password" : "Contrasigno errate", "Saved" : "Salveguardate", "Email sent" : "Message de e-posta inviate", + "All" : "Omne", "Very weak password" : "Contrasigno multo debile", "Weak password" : "Contrasigno debile", "So-so password" : "Contrasigno passabile", diff --git a/settings/l10n/ia.json b/settings/l10n/ia.json index 6e340356f3b..346d1b15994 100644 --- a/settings/l10n/ia.json +++ b/settings/l10n/ia.json @@ -2,8 +2,10 @@ "Log" : "Registro", "Language changed" : "Linguage cambiate", "Invalid request" : "Requesta invalide", + "Wrong password" : "Contrasigno errate", "Saved" : "Salveguardate", "Email sent" : "Message de e-posta inviate", + "All" : "Omne", "Very weak password" : "Contrasigno multo debile", "Weak password" : "Contrasigno debile", "So-so password" : "Contrasigno passabile", diff --git a/settings/l10n/id.js b/settings/l10n/id.js index dab5c914726..cbe7ac5dae3 100644 --- a/settings/l10n/id.js +++ b/settings/l10n/id.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Keamanan dan Setelan Peringatan", "Cron" : "Cron", "Sharing" : "Berbagi", - "Security" : "Keamanan", "Email Server" : "Server Email", "Log" : "Log", "Authentication error" : "Terjadi kesalahan saat otentikasi", @@ -38,8 +37,6 @@ OC.L10N.register( "log-level out of allowed range" : "level-log melebihi batas yang diizinkan", "Saved" : "Disimpan", "test email settings" : "pengaturan email percobaan", - "If you received this email, the settings seem to be correct." : "Jika Anda menerma email ini, pengaturan tampaknya sudah benar.", - "A problem occurred while sending the email. Please revise your settings." : "Muncul masalah tidak terduga saat mengirim email. Mohon merevisi pengaturan Anda.", "Email sent" : "Email terkirim", "You need to set your user email before being able to send test emails." : "Anda perlu menetapkan email pengguna Anda sebelum dapat mengirim email percobaan.", "Invalid mail address" : "Alamat email salah", diff --git a/settings/l10n/id.json b/settings/l10n/id.json index 5cb894d2952..9b187644908 100644 --- a/settings/l10n/id.json +++ b/settings/l10n/id.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Keamanan dan Setelan Peringatan", "Cron" : "Cron", "Sharing" : "Berbagi", - "Security" : "Keamanan", "Email Server" : "Server Email", "Log" : "Log", "Authentication error" : "Terjadi kesalahan saat otentikasi", @@ -36,8 +35,6 @@ "log-level out of allowed range" : "level-log melebihi batas yang diizinkan", "Saved" : "Disimpan", "test email settings" : "pengaturan email percobaan", - "If you received this email, the settings seem to be correct." : "Jika Anda menerma email ini, pengaturan tampaknya sudah benar.", - "A problem occurred while sending the email. Please revise your settings." : "Muncul masalah tidak terduga saat mengirim email. Mohon merevisi pengaturan Anda.", "Email sent" : "Email terkirim", "You need to set your user email before being able to send test emails." : "Anda perlu menetapkan email pengguna Anda sebelum dapat mengirim email percobaan.", "Invalid mail address" : "Alamat email salah", diff --git a/settings/l10n/it.js b/settings/l10n/it.js index c4a9df11255..0a8dceb915c 100644 --- a/settings/l10n/it.js +++ b/settings/l10n/it.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Avvisi di sicurezza e configurazione", "Cron" : "Cron", "Sharing" : "Condivisione", - "Security" : "Protezione", "Email Server" : "Server di posta", "Log" : "Log", "Authentication error" : "Errore di autenticazione", @@ -39,8 +38,7 @@ OC.L10N.register( "log-level out of allowed range" : "livello di log fuori dall'intervallo consentito", "Saved" : "Salvato", "test email settings" : "prova impostazioni email", - "If you received this email, the settings seem to be correct." : "Se hai ricevuto questa email, le impostazioni dovrebbero essere corrette.", - "A problem occurred while sending the email. Please revise your settings." : "Si è verificato un problema durante l'invio dell'email. Controlla le tue impostazioni.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Si è verificato un problema durante l'invio dell'email. Controlla le tue impostazioni. (Errore: %s)", "Email sent" : "Email inviata", "You need to set your user email before being able to send test emails." : "Devi impostare l'indirizzo del tuo utente prima di poter provare l'invio delle email.", "Invalid mail address" : "Indirizzo email non valido", @@ -132,6 +130,7 @@ OC.L10N.register( "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Non è stato possibile eseguire il job di cron tramite CLI. Sono apparsi i seguenti errori tecnici:", "Configuration Checks" : "Controlli di configurazione", "No problems found" : "Nessun problema trovato", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Leggi attentamente le <a href=\"%s\">guide d'installazione</a>, e controlla gli errori e gli avvisi nel <a href=\"#log-section\">log</a>.", "Last cron job execution: %s." : "Ultima esecuzione di cron: %s.", "Last cron job execution: %s. Something seems wrong." : "Ultima esecuzione di cron: %s. Potrebbe esserci un problema.", "Cron was not executed yet!" : "Cron non è stato ancora eseguito!", diff --git a/settings/l10n/it.json b/settings/l10n/it.json index 2450a916d1e..7569e9f3a08 100644 --- a/settings/l10n/it.json +++ b/settings/l10n/it.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Avvisi di sicurezza e configurazione", "Cron" : "Cron", "Sharing" : "Condivisione", - "Security" : "Protezione", "Email Server" : "Server di posta", "Log" : "Log", "Authentication error" : "Errore di autenticazione", @@ -37,8 +36,7 @@ "log-level out of allowed range" : "livello di log fuori dall'intervallo consentito", "Saved" : "Salvato", "test email settings" : "prova impostazioni email", - "If you received this email, the settings seem to be correct." : "Se hai ricevuto questa email, le impostazioni dovrebbero essere corrette.", - "A problem occurred while sending the email. Please revise your settings." : "Si è verificato un problema durante l'invio dell'email. Controlla le tue impostazioni.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Si è verificato un problema durante l'invio dell'email. Controlla le tue impostazioni. (Errore: %s)", "Email sent" : "Email inviata", "You need to set your user email before being able to send test emails." : "Devi impostare l'indirizzo del tuo utente prima di poter provare l'invio delle email.", "Invalid mail address" : "Indirizzo email non valido", @@ -130,6 +128,7 @@ "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Non è stato possibile eseguire il job di cron tramite CLI. Sono apparsi i seguenti errori tecnici:", "Configuration Checks" : "Controlli di configurazione", "No problems found" : "Nessun problema trovato", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Leggi attentamente le <a href=\"%s\">guide d'installazione</a>, e controlla gli errori e gli avvisi nel <a href=\"#log-section\">log</a>.", "Last cron job execution: %s." : "Ultima esecuzione di cron: %s.", "Last cron job execution: %s. Something seems wrong." : "Ultima esecuzione di cron: %s. Potrebbe esserci un problema.", "Cron was not executed yet!" : "Cron non è stato ancora eseguito!", diff --git a/settings/l10n/ja.js b/settings/l10n/ja.js index 2278e6e5877..6b643ff8b1b 100644 --- a/settings/l10n/ja.js +++ b/settings/l10n/ja.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "セキュリティ&セットアップ警告", "Cron" : "Cron", "Sharing" : "共有", - "Security" : "セキュリティ", "Email Server" : "メールサーバー", "Log" : "ログ", "Authentication error" : "認証エラー", @@ -39,8 +38,6 @@ OC.L10N.register( "log-level out of allowed range" : "ログレベルが許可された範囲を超えています", "Saved" : "保存されました", "test email settings" : "メール設定のテスト", - "If you received this email, the settings seem to be correct." : "このメールを受け取ったら、設定は正しいはずです。", - "A problem occurred while sending the email. Please revise your settings." : "メールの送信中に問題が発生しました。設定を確認してください。", "Email sent" : "メールを送信しました", "You need to set your user email before being able to send test emails." : "ユーザーメールを設定して初めて、テストメールを送信することができるようになります。", "Invalid mail address" : "無効なメールアドレスです", diff --git a/settings/l10n/ja.json b/settings/l10n/ja.json index 531b0de08a7..b3d45d200e1 100644 --- a/settings/l10n/ja.json +++ b/settings/l10n/ja.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "セキュリティ&セットアップ警告", "Cron" : "Cron", "Sharing" : "共有", - "Security" : "セキュリティ", "Email Server" : "メールサーバー", "Log" : "ログ", "Authentication error" : "認証エラー", @@ -37,8 +36,6 @@ "log-level out of allowed range" : "ログレベルが許可された範囲を超えています", "Saved" : "保存されました", "test email settings" : "メール設定のテスト", - "If you received this email, the settings seem to be correct." : "このメールを受け取ったら、設定は正しいはずです。", - "A problem occurred while sending the email. Please revise your settings." : "メールの送信中に問題が発生しました。設定を確認してください。", "Email sent" : "メールを送信しました", "You need to set your user email before being able to send test emails." : "ユーザーメールを設定して初めて、テストメールを送信することができるようになります。", "Invalid mail address" : "無効なメールアドレスです", diff --git a/settings/l10n/ka_GE.js b/settings/l10n/ka_GE.js index a0a8c1a25c7..41aeeec9789 100644 --- a/settings/l10n/ka_GE.js +++ b/settings/l10n/ka_GE.js @@ -3,7 +3,6 @@ OC.L10N.register( { "Cron" : "Cron–ი", "Sharing" : "გაზიარება", - "Security" : "უსაფრთხოება", "Log" : "ლოგი", "Authentication error" : "ავთენტიფიკაციის შეცდომა", "Language changed" : "ენა შეცვლილია", diff --git a/settings/l10n/ka_GE.json b/settings/l10n/ka_GE.json index 6c4d984bbe6..a09d710f324 100644 --- a/settings/l10n/ka_GE.json +++ b/settings/l10n/ka_GE.json @@ -1,7 +1,6 @@ { "translations": { "Cron" : "Cron–ი", "Sharing" : "გაზიარება", - "Security" : "უსაფრთხოება", "Log" : "ლოგი", "Authentication error" : "ავთენტიფიკაციის შეცდომა", "Language changed" : "ენა შეცვლილია", diff --git a/settings/l10n/km.js b/settings/l10n/km.js index 9ec44c3660d..53ce3a47256 100644 --- a/settings/l10n/km.js +++ b/settings/l10n/km.js @@ -3,7 +3,6 @@ OC.L10N.register( { "Cron" : "Cron", "Sharing" : "ការចែករំលែក", - "Security" : "សុវត្ថិភាព", "Email Server" : "ម៉ាស៊ីនបម្រើអ៊ីមែល", "Log" : "Log", "Authentication error" : "កំហុសការផ្ទៀងផ្ទាត់ភាពត្រឹមត្រូវ", @@ -17,7 +16,6 @@ OC.L10N.register( "Enabled" : "បានបើក", "Saved" : "បានរក្សាទុក", "test email settings" : "សាកល្បងការកំណត់អ៊ីមែល", - "If you received this email, the settings seem to be correct." : "ប្រសិនបើអ្នកទទួលបានអ៊ីមែលនេះ មានន័យថាការកំណត់គឺបានត្រឹមមត្រូវហើយ។", "Email sent" : "បានផ្ញើអ៊ីមែល", "You need to set your user email before being able to send test emails." : "អ្នកត្រូវតែកំណត់អ៊ីមែលរបស់អ្នកមុននឹងអាចផ្ញើអ៊ីមែលសាកល្បងបាន។", "Email saved" : "បានរក្សាទុកអ៊ីមែល", diff --git a/settings/l10n/km.json b/settings/l10n/km.json index a648d48e81a..e00d70a0215 100644 --- a/settings/l10n/km.json +++ b/settings/l10n/km.json @@ -1,7 +1,6 @@ { "translations": { "Cron" : "Cron", "Sharing" : "ការចែករំលែក", - "Security" : "សុវត្ថិភាព", "Email Server" : "ម៉ាស៊ីនបម្រើអ៊ីមែល", "Log" : "Log", "Authentication error" : "កំហុសការផ្ទៀងផ្ទាត់ភាពត្រឹមត្រូវ", @@ -15,7 +14,6 @@ "Enabled" : "បានបើក", "Saved" : "បានរក្សាទុក", "test email settings" : "សាកល្បងការកំណត់អ៊ីមែល", - "If you received this email, the settings seem to be correct." : "ប្រសិនបើអ្នកទទួលបានអ៊ីមែលនេះ មានន័យថាការកំណត់គឺបានត្រឹមមត្រូវហើយ។", "Email sent" : "បានផ្ញើអ៊ីមែល", "You need to set your user email before being able to send test emails." : "អ្នកត្រូវតែកំណត់អ៊ីមែលរបស់អ្នកមុននឹងអាចផ្ញើអ៊ីមែលសាកល្បងបាន។", "Email saved" : "បានរក្សាទុកអ៊ីមែល", diff --git a/settings/l10n/kn.js b/settings/l10n/kn.js index e0f9a8729fd..e48cb449950 100644 --- a/settings/l10n/kn.js +++ b/settings/l10n/kn.js @@ -3,7 +3,6 @@ OC.L10N.register( { "Security & Setup Warnings" : "ಭದ್ರತಾ ಮತ್ತು ಸೆಟಪ್ ಎಚ್ಚರಿಕೆಗಳು", "Sharing" : "ಹಂಚಿಕೆ", - "Security" : "ಭದ್ರತೆ", "Email Server" : "ಇ-ಅಂಚೆಯ ಪರಿಚಾರಕ ಗಣಕಯಂತ್ರ", "Log" : "ಹಿನ್ನೆಲೆಯ ದಾಖಲೆ", "Authentication error" : "ದೃಢೀಕರಣ ದೋಷ", @@ -32,8 +31,6 @@ OC.L10N.register( "Unable to delete group." : "ಗುಂಪುನ್ನು ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.", "Saved" : "ಉಳಿಸಿದ", "test email settings" : "ಪರೀರ್ಕ್ಷಾತ ಇ-ಅಂಚೆಯ ಆಯ್ಕೇ", - "If you received this email, the settings seem to be correct." : "ನೀವು ಈ ಇ-ಅಂಚೆಯನ್ನು ಪಡೆದ ಪಕ್ಷದಲ್ಲಿ, ಆಯ್ಕೇ ಸರಿಯಾಗಿದೆ ಎಂದು ತೋರುತ್ತದೆ.", - "A problem occurred while sending the email. Please revise your settings." : "ಇ-ಅಂಚೆಯನ್ನು ಕಳುಹಿಸುವ ದೋಷವೊಂದು ಸಂಭವಿಸಿದೆ. ದಯವಿಟ್ಟು ನಿಮ್ಮ ಆಯ್ಕೆಗಳನ್ನು ಪರಿಷ್ಕರಿಸಿಕೊಳ್ಳಿ .", "Email sent" : "ಇ-ಅಂಚೆ ಕಳುಹಿಸಲಾಗಿದೆ", "You need to set your user email before being able to send test emails." : "ನೀವು ಪರೀಕ್ಷಾ ಇ-ಅಂಚೆಯನ್ನು ಕಳುಹಿಸುವ ಮುನ್ನ ನಿಮ್ಮ ಬಳಕೆದಾರ ಇ-ಅಂಚೆಯನ್ನು ಹೊಂದಿಸಬೇಕಾಗುತ್ತದೆ.", "Invalid mail address" : "ಅಮಾನ್ಯ ಇ-ಅಂಚೆ ವಿಳಾಸ", diff --git a/settings/l10n/kn.json b/settings/l10n/kn.json index 670f6714696..0c835d78a66 100644 --- a/settings/l10n/kn.json +++ b/settings/l10n/kn.json @@ -1,7 +1,6 @@ { "translations": { "Security & Setup Warnings" : "ಭದ್ರತಾ ಮತ್ತು ಸೆಟಪ್ ಎಚ್ಚರಿಕೆಗಳು", "Sharing" : "ಹಂಚಿಕೆ", - "Security" : "ಭದ್ರತೆ", "Email Server" : "ಇ-ಅಂಚೆಯ ಪರಿಚಾರಕ ಗಣಕಯಂತ್ರ", "Log" : "ಹಿನ್ನೆಲೆಯ ದಾಖಲೆ", "Authentication error" : "ದೃಢೀಕರಣ ದೋಷ", @@ -30,8 +29,6 @@ "Unable to delete group." : "ಗುಂಪುನ್ನು ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.", "Saved" : "ಉಳಿಸಿದ", "test email settings" : "ಪರೀರ್ಕ್ಷಾತ ಇ-ಅಂಚೆಯ ಆಯ್ಕೇ", - "If you received this email, the settings seem to be correct." : "ನೀವು ಈ ಇ-ಅಂಚೆಯನ್ನು ಪಡೆದ ಪಕ್ಷದಲ್ಲಿ, ಆಯ್ಕೇ ಸರಿಯಾಗಿದೆ ಎಂದು ತೋರುತ್ತದೆ.", - "A problem occurred while sending the email. Please revise your settings." : "ಇ-ಅಂಚೆಯನ್ನು ಕಳುಹಿಸುವ ದೋಷವೊಂದು ಸಂಭವಿಸಿದೆ. ದಯವಿಟ್ಟು ನಿಮ್ಮ ಆಯ್ಕೆಗಳನ್ನು ಪರಿಷ್ಕರಿಸಿಕೊಳ್ಳಿ .", "Email sent" : "ಇ-ಅಂಚೆ ಕಳುಹಿಸಲಾಗಿದೆ", "You need to set your user email before being able to send test emails." : "ನೀವು ಪರೀಕ್ಷಾ ಇ-ಅಂಚೆಯನ್ನು ಕಳುಹಿಸುವ ಮುನ್ನ ನಿಮ್ಮ ಬಳಕೆದಾರ ಇ-ಅಂಚೆಯನ್ನು ಹೊಂದಿಸಬೇಕಾಗುತ್ತದೆ.", "Invalid mail address" : "ಅಮಾನ್ಯ ಇ-ಅಂಚೆ ವಿಳಾಸ", diff --git a/settings/l10n/ko.js b/settings/l10n/ko.js index a9bd847105d..240bf795ae7 100644 --- a/settings/l10n/ko.js +++ b/settings/l10n/ko.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "보안 및 설치 경고", "Cron" : "Cron", "Sharing" : "공유", - "Security" : "보안", "Email Server" : "전자우편 서버", "Log" : "로그", "Authentication error" : "인증 오류", @@ -38,8 +37,6 @@ OC.L10N.register( "log-level out of allowed range" : "로그 단계가 허용 범위를 벗어남", "Saved" : "저장됨", "test email settings" : "이메일 설정 시험", - "If you received this email, the settings seem to be correct." : "이 메일을 받았으면 설정이 올바른 것 같습니다.", - "A problem occurred while sending the email. Please revise your settings." : "이메일을 보내는 중 문제가 발생하였습니다. 설정을 다시 확인하십시오.", "Email sent" : "이메일 발송됨", "You need to set your user email before being able to send test emails." : "테스트 이메일을 보내기 전 내 주소를 설정해야 합니다.", "Invalid mail address" : "잘못된 이메일 주소", diff --git a/settings/l10n/ko.json b/settings/l10n/ko.json index a45ffad6eb1..a89c80002fc 100644 --- a/settings/l10n/ko.json +++ b/settings/l10n/ko.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "보안 및 설치 경고", "Cron" : "Cron", "Sharing" : "공유", - "Security" : "보안", "Email Server" : "전자우편 서버", "Log" : "로그", "Authentication error" : "인증 오류", @@ -36,8 +35,6 @@ "log-level out of allowed range" : "로그 단계가 허용 범위를 벗어남", "Saved" : "저장됨", "test email settings" : "이메일 설정 시험", - "If you received this email, the settings seem to be correct." : "이 메일을 받았으면 설정이 올바른 것 같습니다.", - "A problem occurred while sending the email. Please revise your settings." : "이메일을 보내는 중 문제가 발생하였습니다. 설정을 다시 확인하십시오.", "Email sent" : "이메일 발송됨", "You need to set your user email before being able to send test emails." : "테스트 이메일을 보내기 전 내 주소를 설정해야 합니다.", "Invalid mail address" : "잘못된 이메일 주소", diff --git a/settings/l10n/lt_LT.js b/settings/l10n/lt_LT.js index 274ab09e8da..cdf127b424f 100644 --- a/settings/l10n/lt_LT.js +++ b/settings/l10n/lt_LT.js @@ -3,7 +3,6 @@ OC.L10N.register( { "Cron" : "Cron", "Sharing" : "Dalijimasis", - "Security" : "Saugumas", "Log" : "Žurnalas", "Authentication error" : "Autentikacijos klaida", "Language changed" : "Kalba pakeista", diff --git a/settings/l10n/lt_LT.json b/settings/l10n/lt_LT.json index a76cbbdf3d9..4522a1cd6d9 100644 --- a/settings/l10n/lt_LT.json +++ b/settings/l10n/lt_LT.json @@ -1,7 +1,6 @@ { "translations": { "Cron" : "Cron", "Sharing" : "Dalijimasis", - "Security" : "Saugumas", "Log" : "Žurnalas", "Authentication error" : "Autentikacijos klaida", "Language changed" : "Kalba pakeista", diff --git a/settings/l10n/lv.js b/settings/l10n/lv.js index 9a908209fe8..a94948fa185 100644 --- a/settings/l10n/lv.js +++ b/settings/l10n/lv.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Drošības & iestatījumu brīdinājumi", "Cron" : "Cron", "Sharing" : "Dalīšanās", - "Security" : "Drošība", "Email Server" : "E-pasta serveris", "Log" : "Žurnāls", "Authentication error" : "Autentifikācijas kļūda", @@ -37,8 +36,6 @@ OC.L10N.register( "Unable to delete group." : "Nevar izdzēst grupu.", "Saved" : "Saglabāts", "test email settings" : "testēt e-pasta iestatījumus", - "If you received this email, the settings seem to be correct." : "Ja jūs saņēmāt šo e-pastu, tad izskatās, ka iestatījum ir pareizi.", - "A problem occurred while sending the email. Please revise your settings." : "Neizdevās nosūtīt e-pastu. Lūdzu pārskatiet savus iestatījumus.", "Email sent" : "Vēstule nosūtīta", "You need to set your user email before being able to send test emails." : "Nepieciešams norādīt sava lietotāja e-pasta adresi, lai nosūtīta testa e-pastus.", "Invalid mail address" : "Nepareiza e-pasta adrese", diff --git a/settings/l10n/lv.json b/settings/l10n/lv.json index 182a992eb73..bc5ba01aafa 100644 --- a/settings/l10n/lv.json +++ b/settings/l10n/lv.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Drošības & iestatījumu brīdinājumi", "Cron" : "Cron", "Sharing" : "Dalīšanās", - "Security" : "Drošība", "Email Server" : "E-pasta serveris", "Log" : "Žurnāls", "Authentication error" : "Autentifikācijas kļūda", @@ -35,8 +34,6 @@ "Unable to delete group." : "Nevar izdzēst grupu.", "Saved" : "Saglabāts", "test email settings" : "testēt e-pasta iestatījumus", - "If you received this email, the settings seem to be correct." : "Ja jūs saņēmāt šo e-pastu, tad izskatās, ka iestatījum ir pareizi.", - "A problem occurred while sending the email. Please revise your settings." : "Neizdevās nosūtīt e-pastu. Lūdzu pārskatiet savus iestatījumus.", "Email sent" : "Vēstule nosūtīta", "You need to set your user email before being able to send test emails." : "Nepieciešams norādīt sava lietotāja e-pasta adresi, lai nosūtīta testa e-pastus.", "Invalid mail address" : "Nepareiza e-pasta adrese", diff --git a/settings/l10n/mk.js b/settings/l10n/mk.js index 320139c4292..146912a5ac8 100644 --- a/settings/l10n/mk.js +++ b/settings/l10n/mk.js @@ -3,7 +3,6 @@ OC.L10N.register( { "Cron" : "Крон", "Sharing" : "Споделување", - "Security" : "Безбедност", "Email Server" : "Сервер за електронска пошта", "Log" : "Записник", "Authentication error" : "Грешка во автентикација", diff --git a/settings/l10n/mk.json b/settings/l10n/mk.json index 459347a713e..567cfaabc73 100644 --- a/settings/l10n/mk.json +++ b/settings/l10n/mk.json @@ -1,7 +1,6 @@ { "translations": { "Cron" : "Крон", "Sharing" : "Споделување", - "Security" : "Безбедност", "Email Server" : "Сервер за електронска пошта", "Log" : "Записник", "Authentication error" : "Грешка во автентикација", diff --git a/settings/l10n/mn.js b/settings/l10n/mn.js index a0d6b1e14b1..3bb2864e55b 100644 --- a/settings/l10n/mn.js +++ b/settings/l10n/mn.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Аюулгүй байдал болон Тохиргооны анхааруулга", "Cron" : "Крон", "Sharing" : "Түгээлт", - "Security" : "Аюулгүй байдал", "Email Server" : "И-мэйл сервер", "Log" : "Лог бичилт", "Authentication error" : "Нотолгооны алдаа", diff --git a/settings/l10n/mn.json b/settings/l10n/mn.json index b1332514713..04f5d25c8dd 100644 --- a/settings/l10n/mn.json +++ b/settings/l10n/mn.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Аюулгүй байдал болон Тохиргооны анхааруулга", "Cron" : "Крон", "Sharing" : "Түгээлт", - "Security" : "Аюулгүй байдал", "Email Server" : "И-мэйл сервер", "Log" : "Лог бичилт", "Authentication error" : "Нотолгооны алдаа", diff --git a/settings/l10n/nb_NO.js b/settings/l10n/nb_NO.js index f5f0dda523c..12fadf22002 100644 --- a/settings/l10n/nb_NO.js +++ b/settings/l10n/nb_NO.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Advarsler for sikkerhet og oppsett", "Cron" : "Cron", "Sharing" : "Deling", - "Security" : "Sikkerhet", "Email Server" : "E-postserver", "Log" : "Logg", "Authentication error" : "Autentiseringsfeil", @@ -38,8 +37,6 @@ OC.L10N.register( "log-level out of allowed range" : "Loggnivå utenfor tillatt område", "Saved" : "Lagret", "test email settings" : "Test av innstillinger for e-post", - "If you received this email, the settings seem to be correct." : "Hvis du mottar denne e-posten er innstillingene tydeligvis korrekte.", - "A problem occurred while sending the email. Please revise your settings." : "Et problem oppstod med sending av e-post. Sjekk innstillingene.", "Email sent" : "E-post sendt", "You need to set your user email before being able to send test emails." : "Du må sette e-postadressen for brukeren din før du kan teste sending av e-post.", "Invalid mail address" : "Ugyldig e-postadresse", @@ -117,6 +114,7 @@ OC.L10N.register( "To migrate to another database use the command line tool: 'occ db:convert-type'" : "Bruk følgende kommandolinjeverktøy for å migrere til en annen database: 'occ db:convert-type'", "Microsoft Windows Platform" : "Mocrosoft Windows Platform", "Your server is running on Microsoft Windows. We highly recommend Linux for optimal user experience." : "Serveren din kjører på Microsoft Windows. Vi anbefaler strekt Linux for en optimal brukeropplevelse.", + "APCu below version 4.0.6 installed" : "APCu versjon 4.0.6 eller lavere innstallert", "Module 'fileinfo' missing" : "Modulen 'fileinfo' mangler", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with mime-type detection." : "PHP modulen 'fileinfo' mangler. Vi anbefaler at du aktiverer denne modulen for å kunne detektere mime-typen korrekt.", "Locale not working" : "Nasjonale innstillinger virker ikke", @@ -163,8 +161,10 @@ OC.L10N.register( "Download logfile" : "Last ned loggfil", "More" : "Mer", "Less" : "Mindre", + "The logfile is bigger than 100 MB. Downloading it may take some time!" : "Loggfilen er over 100 MB, nedlastingen kan ta en stund!", "Version" : "Versjon", "More apps" : "Flere apper", + "Developer documentation" : "Utviklerdokumentasjon", "by" : "av", "licensed" : "lisensiert", "Documentation:" : "Dokumentasjon:", @@ -199,6 +199,7 @@ OC.L10N.register( "Your email address" : "Din e-postadresse", "Fill in an email address to enable password recovery and receive notifications" : "Legg inn en e-postadresse for å aktivere passordgjenfinning og motta varsler", "No email address set" : "E-postadresse ikke satt", + "You are member of the following groups:" : "Du er medlem av følgende grupper:", "Profile picture" : "Profilbilde", "Upload new" : "Last opp nytt", "Select new from Files" : "Velg nytt fra Filer", diff --git a/settings/l10n/nb_NO.json b/settings/l10n/nb_NO.json index 9239154625a..14debbb0271 100644 --- a/settings/l10n/nb_NO.json +++ b/settings/l10n/nb_NO.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Advarsler for sikkerhet og oppsett", "Cron" : "Cron", "Sharing" : "Deling", - "Security" : "Sikkerhet", "Email Server" : "E-postserver", "Log" : "Logg", "Authentication error" : "Autentiseringsfeil", @@ -36,8 +35,6 @@ "log-level out of allowed range" : "Loggnivå utenfor tillatt område", "Saved" : "Lagret", "test email settings" : "Test av innstillinger for e-post", - "If you received this email, the settings seem to be correct." : "Hvis du mottar denne e-posten er innstillingene tydeligvis korrekte.", - "A problem occurred while sending the email. Please revise your settings." : "Et problem oppstod med sending av e-post. Sjekk innstillingene.", "Email sent" : "E-post sendt", "You need to set your user email before being able to send test emails." : "Du må sette e-postadressen for brukeren din før du kan teste sending av e-post.", "Invalid mail address" : "Ugyldig e-postadresse", @@ -115,6 +112,7 @@ "To migrate to another database use the command line tool: 'occ db:convert-type'" : "Bruk følgende kommandolinjeverktøy for å migrere til en annen database: 'occ db:convert-type'", "Microsoft Windows Platform" : "Mocrosoft Windows Platform", "Your server is running on Microsoft Windows. We highly recommend Linux for optimal user experience." : "Serveren din kjører på Microsoft Windows. Vi anbefaler strekt Linux for en optimal brukeropplevelse.", + "APCu below version 4.0.6 installed" : "APCu versjon 4.0.6 eller lavere innstallert", "Module 'fileinfo' missing" : "Modulen 'fileinfo' mangler", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with mime-type detection." : "PHP modulen 'fileinfo' mangler. Vi anbefaler at du aktiverer denne modulen for å kunne detektere mime-typen korrekt.", "Locale not working" : "Nasjonale innstillinger virker ikke", @@ -161,8 +159,10 @@ "Download logfile" : "Last ned loggfil", "More" : "Mer", "Less" : "Mindre", + "The logfile is bigger than 100 MB. Downloading it may take some time!" : "Loggfilen er over 100 MB, nedlastingen kan ta en stund!", "Version" : "Versjon", "More apps" : "Flere apper", + "Developer documentation" : "Utviklerdokumentasjon", "by" : "av", "licensed" : "lisensiert", "Documentation:" : "Dokumentasjon:", @@ -197,6 +197,7 @@ "Your email address" : "Din e-postadresse", "Fill in an email address to enable password recovery and receive notifications" : "Legg inn en e-postadresse for å aktivere passordgjenfinning og motta varsler", "No email address set" : "E-postadresse ikke satt", + "You are member of the following groups:" : "Du er medlem av følgende grupper:", "Profile picture" : "Profilbilde", "Upload new" : "Last opp nytt", "Select new from Files" : "Velg nytt fra Filer", diff --git a/settings/l10n/nl.js b/settings/l10n/nl.js index 2686661fce4..f35b0a8f0fd 100644 --- a/settings/l10n/nl.js +++ b/settings/l10n/nl.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Beveiligings- en instellingswaarschuwingen", "Cron" : "Cron", "Sharing" : "Delen", - "Security" : "Beveiliging", "Email Server" : "E-mailserver", "Log" : "Log", "Authentication error" : "Authenticatie fout", @@ -39,8 +38,7 @@ OC.L10N.register( "log-level out of allowed range" : "loggingniveau buiten toegestane bereik", "Saved" : "Bewaard", "test email settings" : "test e-mailinstellingen", - "If you received this email, the settings seem to be correct." : "Als u dit e-mailbericht ontvangt, lijken de instellingen juist.", - "A problem occurred while sending the email. Please revise your settings." : "Er ontstond een probleem bij het versturen van de e-mail. Controleer uw instellingen.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Er ontstond een probleem bij het versturen van de e-mail. Controleer uw instellingen. (Fout: %s)", "Email sent" : "E-mail verzonden", "You need to set your user email before being able to send test emails." : "U moet uw e-mailadres invoeren voordat u testberichten kunt versturen.", "Invalid mail address" : "Ongeldig e-mailadres", @@ -132,6 +130,7 @@ OC.L10N.register( "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "het was niet mogelijk om de cronjob via CLI uit te voeren. De volgende technische problemen traden op:", "Configuration Checks" : "Configuratie Controles", "No problems found" : "Geen problemen gevonden", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Lees de <a href='%s'>installatie handleiding</a> goed door en controleer op fouten en waarschuwingen in de <a href=\"#log-section\">logging</a>.", "Last cron job execution: %s." : "Laatst uitgevoerde cronjob: %s.", "Last cron job execution: %s. Something seems wrong." : "Laatst uitgevoerde cronjob: %s. Er lijkt iets fout gegaan.", "Cron was not executed yet!" : "Cron is nog niet uitgevoerd!", diff --git a/settings/l10n/nl.json b/settings/l10n/nl.json index 475dfb1be1c..7ba9726d721 100644 --- a/settings/l10n/nl.json +++ b/settings/l10n/nl.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Beveiligings- en instellingswaarschuwingen", "Cron" : "Cron", "Sharing" : "Delen", - "Security" : "Beveiliging", "Email Server" : "E-mailserver", "Log" : "Log", "Authentication error" : "Authenticatie fout", @@ -37,8 +36,7 @@ "log-level out of allowed range" : "loggingniveau buiten toegestane bereik", "Saved" : "Bewaard", "test email settings" : "test e-mailinstellingen", - "If you received this email, the settings seem to be correct." : "Als u dit e-mailbericht ontvangt, lijken de instellingen juist.", - "A problem occurred while sending the email. Please revise your settings." : "Er ontstond een probleem bij het versturen van de e-mail. Controleer uw instellingen.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Er ontstond een probleem bij het versturen van de e-mail. Controleer uw instellingen. (Fout: %s)", "Email sent" : "E-mail verzonden", "You need to set your user email before being able to send test emails." : "U moet uw e-mailadres invoeren voordat u testberichten kunt versturen.", "Invalid mail address" : "Ongeldig e-mailadres", @@ -130,6 +128,7 @@ "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "het was niet mogelijk om de cronjob via CLI uit te voeren. De volgende technische problemen traden op:", "Configuration Checks" : "Configuratie Controles", "No problems found" : "Geen problemen gevonden", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Lees de <a href='%s'>installatie handleiding</a> goed door en controleer op fouten en waarschuwingen in de <a href=\"#log-section\">logging</a>.", "Last cron job execution: %s." : "Laatst uitgevoerde cronjob: %s.", "Last cron job execution: %s. Something seems wrong." : "Laatst uitgevoerde cronjob: %s. Er lijkt iets fout gegaan.", "Cron was not executed yet!" : "Cron is nog niet uitgevoerd!", diff --git a/settings/l10n/nn_NO.js b/settings/l10n/nn_NO.js index ee269927320..016f54b4b60 100644 --- a/settings/l10n/nn_NO.js +++ b/settings/l10n/nn_NO.js @@ -3,7 +3,6 @@ OC.L10N.register( { "Cron" : "Cron", "Sharing" : "Deling", - "Security" : "Tryggleik", "Log" : "Logg", "Authentication error" : "Autentiseringsfeil", "Language changed" : "Språk endra", diff --git a/settings/l10n/nn_NO.json b/settings/l10n/nn_NO.json index 9977cf661b5..eceac88d74d 100644 --- a/settings/l10n/nn_NO.json +++ b/settings/l10n/nn_NO.json @@ -1,7 +1,6 @@ { "translations": { "Cron" : "Cron", "Sharing" : "Deling", - "Security" : "Tryggleik", "Log" : "Logg", "Authentication error" : "Autentiseringsfeil", "Language changed" : "Språk endra", diff --git a/settings/l10n/pl.js b/settings/l10n/pl.js index f1e8c8a6cc3..f04cad5d50c 100644 --- a/settings/l10n/pl.js +++ b/settings/l10n/pl.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Ostrzeżenia bezpieczeństwa i konfiguracji", "Cron" : "Cron", "Sharing" : "Udostępnianie", - "Security" : "Bezpieczeństwo", "Email Server" : "Serwer pocztowy", "Log" : "Logi", "Authentication error" : "Błąd uwierzytelniania", @@ -38,8 +37,6 @@ OC.L10N.register( "log-level out of allowed range" : "wartość log-level spoza dozwolonego zakresu", "Saved" : "Zapisano", "test email settings" : "przetestuj ustawienia email", - "If you received this email, the settings seem to be correct." : "Jeśli otrzymałeś ten email, ustawienia wydają się być poprawne.", - "A problem occurred while sending the email. Please revise your settings." : "Pojawił się problem podczas wysyłania email. Proszę sprawdzić ponownie ustawienia", "Email sent" : "E-mail wysłany", "You need to set your user email before being able to send test emails." : "Musisz najpierw ustawić użytkownika e-mail, aby móc wysyłać wiadomości testowe.", "Invalid mail address" : "Nieprawidłowy adres email", diff --git a/settings/l10n/pl.json b/settings/l10n/pl.json index 4cb462ab689..dfdb37aa9a5 100644 --- a/settings/l10n/pl.json +++ b/settings/l10n/pl.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Ostrzeżenia bezpieczeństwa i konfiguracji", "Cron" : "Cron", "Sharing" : "Udostępnianie", - "Security" : "Bezpieczeństwo", "Email Server" : "Serwer pocztowy", "Log" : "Logi", "Authentication error" : "Błąd uwierzytelniania", @@ -36,8 +35,6 @@ "log-level out of allowed range" : "wartość log-level spoza dozwolonego zakresu", "Saved" : "Zapisano", "test email settings" : "przetestuj ustawienia email", - "If you received this email, the settings seem to be correct." : "Jeśli otrzymałeś ten email, ustawienia wydają się być poprawne.", - "A problem occurred while sending the email. Please revise your settings." : "Pojawił się problem podczas wysyłania email. Proszę sprawdzić ponownie ustawienia", "Email sent" : "E-mail wysłany", "You need to set your user email before being able to send test emails." : "Musisz najpierw ustawić użytkownika e-mail, aby móc wysyłać wiadomości testowe.", "Invalid mail address" : "Nieprawidłowy adres email", diff --git a/settings/l10n/pt_BR.js b/settings/l10n/pt_BR.js index 3f4bb81a4fc..1f66d1229e2 100644 --- a/settings/l10n/pt_BR.js +++ b/settings/l10n/pt_BR.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Avisos de Segurança & Configuração", "Cron" : "Cron", "Sharing" : "Compartilhamento", - "Security" : "Segurança", "Email Server" : "Servidor de Email", "Log" : "Registro", "Authentication error" : "Erro de autenticação", @@ -39,8 +38,7 @@ OC.L10N.register( "log-level out of allowed range" : "log-nível acima do permitido", "Saved" : "Salvo", "test email settings" : "testar configurações de email", - "If you received this email, the settings seem to be correct." : "Se você recebeu este e-mail, as configurações parecem estar corretas.", - "A problem occurred while sending the email. Please revise your settings." : "Ocorreu um problema ao enviar o e-mail. Por favor, revise suas configurações.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Ocorreu um problema ao enviar o e-mail. Por favor, revise suas configurações. (Erro: %s)", "Email sent" : "E-mail enviado", "You need to set your user email before being able to send test emails." : "Você precisa configurar seu e-mail de usuário antes de ser capaz de enviar e-mails de teste.", "Invalid mail address" : "Endereço de e-mail inválido", @@ -132,6 +130,7 @@ OC.L10N.register( "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Não foi possível executar o cron via CLI. Os seguintes erros técnicos têm aparecido:", "Configuration Checks" : "Verificações de Configuração", "No problems found" : "Nenhum problema encontrado", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Por favor verifique novamente o <a href=\"%s\">guia de instalações</a>, e procure por qualquer erro ou alerta em <a href=\"#log-section\">log</a>.", "Last cron job execution: %s." : "Última execução do trabalho cron: %s.", "Last cron job execution: %s. Something seems wrong." : "Última execução do trabalho cron: %s. Algo parece errado.", "Cron was not executed yet!" : "Cron não foi executado ainda!", diff --git a/settings/l10n/pt_BR.json b/settings/l10n/pt_BR.json index ac9c8a8455f..7b77a6c493b 100644 --- a/settings/l10n/pt_BR.json +++ b/settings/l10n/pt_BR.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Avisos de Segurança & Configuração", "Cron" : "Cron", "Sharing" : "Compartilhamento", - "Security" : "Segurança", "Email Server" : "Servidor de Email", "Log" : "Registro", "Authentication error" : "Erro de autenticação", @@ -37,8 +36,7 @@ "log-level out of allowed range" : "log-nível acima do permitido", "Saved" : "Salvo", "test email settings" : "testar configurações de email", - "If you received this email, the settings seem to be correct." : "Se você recebeu este e-mail, as configurações parecem estar corretas.", - "A problem occurred while sending the email. Please revise your settings." : "Ocorreu um problema ao enviar o e-mail. Por favor, revise suas configurações.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Ocorreu um problema ao enviar o e-mail. Por favor, revise suas configurações. (Erro: %s)", "Email sent" : "E-mail enviado", "You need to set your user email before being able to send test emails." : "Você precisa configurar seu e-mail de usuário antes de ser capaz de enviar e-mails de teste.", "Invalid mail address" : "Endereço de e-mail inválido", @@ -130,6 +128,7 @@ "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Não foi possível executar o cron via CLI. Os seguintes erros técnicos têm aparecido:", "Configuration Checks" : "Verificações de Configuração", "No problems found" : "Nenhum problema encontrado", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Por favor verifique novamente o <a href=\"%s\">guia de instalações</a>, e procure por qualquer erro ou alerta em <a href=\"#log-section\">log</a>.", "Last cron job execution: %s." : "Última execução do trabalho cron: %s.", "Last cron job execution: %s. Something seems wrong." : "Última execução do trabalho cron: %s. Algo parece errado.", "Cron was not executed yet!" : "Cron não foi executado ainda!", diff --git a/settings/l10n/pt_PT.js b/settings/l10n/pt_PT.js index 599b4f7bab4..a05b7a9911c 100644 --- a/settings/l10n/pt_PT.js +++ b/settings/l10n/pt_PT.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Avisos de Configuração e Segurança", "Cron" : "Cron", "Sharing" : "Partilha", - "Security" : "Segurança", "Email Server" : "Servidor de e-mail", "Log" : "Registo", "Authentication error" : "Erro na autenticação", @@ -39,8 +38,7 @@ OC.L10N.register( "log-level out of allowed range" : "log-level fora do alcance permitido", "Saved" : "Guardado", "test email settings" : "testar as definições de e-mail", - "If you received this email, the settings seem to be correct." : "Se recebeu este e-mail, as configurações parecem estar corretas", - "A problem occurred while sending the email. Please revise your settings." : "Ocorreu um problema durante o envio do e-mail. Por favor, verifique as suas configurações..", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Um problema ocorreu ao enviar o email. Por favor verifique as suas definições. (Erro: %s)", "Email sent" : "Mensagem enviada", "You need to set your user email before being able to send test emails." : "Você precisa de configurar o seu e-mail de usuário antes de ser capaz de enviar e-mails de teste", "Invalid mail address" : "Endereço de correio eletrónico inválido", @@ -132,6 +130,7 @@ OC.L10N.register( "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Não foi possível executar o cronjob via CLI. Os seguintes erros técnicos apareceram:", "Configuration Checks" : "Verificações de Configuração", "No problems found" : "Nenhum problema encontrado", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Por favor, verifique os <a href=\"%s\">guias de instalação</a> e verifique se existe algum erro ou aviso no <a href=\"#log-section\">log</a>.", "Last cron job execution: %s." : "Última execução de cron job: %s.", "Last cron job execution: %s. Something seems wrong." : "Última execução de cron job: %s. Algo está errado.", "Cron was not executed yet!" : "Cron ainda não foi executado!", diff --git a/settings/l10n/pt_PT.json b/settings/l10n/pt_PT.json index d90ac9037eb..403f3207e5a 100644 --- a/settings/l10n/pt_PT.json +++ b/settings/l10n/pt_PT.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Avisos de Configuração e Segurança", "Cron" : "Cron", "Sharing" : "Partilha", - "Security" : "Segurança", "Email Server" : "Servidor de e-mail", "Log" : "Registo", "Authentication error" : "Erro na autenticação", @@ -37,8 +36,7 @@ "log-level out of allowed range" : "log-level fora do alcance permitido", "Saved" : "Guardado", "test email settings" : "testar as definições de e-mail", - "If you received this email, the settings seem to be correct." : "Se recebeu este e-mail, as configurações parecem estar corretas", - "A problem occurred while sending the email. Please revise your settings." : "Ocorreu um problema durante o envio do e-mail. Por favor, verifique as suas configurações..", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Um problema ocorreu ao enviar o email. Por favor verifique as suas definições. (Erro: %s)", "Email sent" : "Mensagem enviada", "You need to set your user email before being able to send test emails." : "Você precisa de configurar o seu e-mail de usuário antes de ser capaz de enviar e-mails de teste", "Invalid mail address" : "Endereço de correio eletrónico inválido", @@ -130,6 +128,7 @@ "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Não foi possível executar o cronjob via CLI. Os seguintes erros técnicos apareceram:", "Configuration Checks" : "Verificações de Configuração", "No problems found" : "Nenhum problema encontrado", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Por favor, verifique os <a href=\"%s\">guias de instalação</a> e verifique se existe algum erro ou aviso no <a href=\"#log-section\">log</a>.", "Last cron job execution: %s." : "Última execução de cron job: %s.", "Last cron job execution: %s. Something seems wrong." : "Última execução de cron job: %s. Algo está errado.", "Cron was not executed yet!" : "Cron ainda não foi executado!", diff --git a/settings/l10n/ro.js b/settings/l10n/ro.js index 22d22c0e3c1..17c60b9ac47 100644 --- a/settings/l10n/ro.js +++ b/settings/l10n/ro.js @@ -3,7 +3,6 @@ OC.L10N.register( { "Cron" : "Cron", "Sharing" : "Partajare", - "Security" : "Securitate", "Log" : "Jurnal de activitate", "Authentication error" : "Eroare la autentificare", "Your full name has been changed." : "Numele tău complet a fost schimbat.", @@ -24,7 +23,6 @@ OC.L10N.register( "Recommended" : "Recomandat", "Saved" : "Salvat", "test email settings" : "verifică setările de e-mail", - "If you received this email, the settings seem to be correct." : "Dacă ai primit acest e-mail atunci setările par a fi corecte.", "Email sent" : "Mesajul a fost expediat", "Email saved" : "E-mail salvat", "Sending..." : "Se expediază...", diff --git a/settings/l10n/ro.json b/settings/l10n/ro.json index 62e5e659839..33a79ca8c4e 100644 --- a/settings/l10n/ro.json +++ b/settings/l10n/ro.json @@ -1,7 +1,6 @@ { "translations": { "Cron" : "Cron", "Sharing" : "Partajare", - "Security" : "Securitate", "Log" : "Jurnal de activitate", "Authentication error" : "Eroare la autentificare", "Your full name has been changed." : "Numele tău complet a fost schimbat.", @@ -22,7 +21,6 @@ "Recommended" : "Recomandat", "Saved" : "Salvat", "test email settings" : "verifică setările de e-mail", - "If you received this email, the settings seem to be correct." : "Dacă ai primit acest e-mail atunci setările par a fi corecte.", "Email sent" : "Mesajul a fost expediat", "Email saved" : "E-mail salvat", "Sending..." : "Se expediază...", diff --git a/settings/l10n/ru.js b/settings/l10n/ru.js index 0184d631fe1..5930660676e 100644 --- a/settings/l10n/ru.js +++ b/settings/l10n/ru.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Предупреждения безопасности и настроек", "Cron" : "Cron (планировщик задач)", "Sharing" : "Общий доступ", - "Security" : "Безопасность", "Email Server" : "Почтовый сервер", "Log" : "Журнал", "Authentication error" : "Ошибка аутентификации", @@ -39,8 +38,7 @@ OC.L10N.register( "log-level out of allowed range" : "уровень журнала вышел за разрешенный диапазон", "Saved" : "Сохранено", "test email settings" : "проверить настройки почты", - "If you received this email, the settings seem to be correct." : "Если вы получили это письмо, значит настройки верны.", - "A problem occurred while sending the email. Please revise your settings." : "Возникла проблема при отправке письма. Пожалуйста проверьте ваши настройки.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Во время отправки email произошла ошибка. Пожалуйста проверьте настройки. (Ошибка: %s)", "Email sent" : "Письмо отправлено", "You need to set your user email before being able to send test emails." : "Вы должны настроить свой e-mail пользователя прежде чем отправлять тестовые сообщения.", "Invalid mail address" : "Некорректный адрес email", @@ -132,6 +130,7 @@ OC.L10N.register( "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Не удается запустить задачу планировщика через CLI. Произошли следующие технические ошибки:", "Configuration Checks" : "Проверка конфигурации", "No problems found" : "Проблемы не найдены", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Пожалуйста, дважды проверьте <a href=\"%s\">инструкцию по установке</a> и проверьте ошибки или предупреждения в <a href=\"#log-section\">журнале</a>.", "Last cron job execution: %s." : "Последнее выполненное Cron задание: %s.", "Last cron job execution: %s. Something seems wrong." : "Последнее выполненное Cron задание: %s. Что-то кажется неправильным.", "Cron was not executed yet!" : "Задачи cron ещё не запускались!", diff --git a/settings/l10n/ru.json b/settings/l10n/ru.json index b8e67b89925..ef03120e18a 100644 --- a/settings/l10n/ru.json +++ b/settings/l10n/ru.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Предупреждения безопасности и настроек", "Cron" : "Cron (планировщик задач)", "Sharing" : "Общий доступ", - "Security" : "Безопасность", "Email Server" : "Почтовый сервер", "Log" : "Журнал", "Authentication error" : "Ошибка аутентификации", @@ -37,8 +36,7 @@ "log-level out of allowed range" : "уровень журнала вышел за разрешенный диапазон", "Saved" : "Сохранено", "test email settings" : "проверить настройки почты", - "If you received this email, the settings seem to be correct." : "Если вы получили это письмо, значит настройки верны.", - "A problem occurred while sending the email. Please revise your settings." : "Возникла проблема при отправке письма. Пожалуйста проверьте ваши настройки.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Во время отправки email произошла ошибка. Пожалуйста проверьте настройки. (Ошибка: %s)", "Email sent" : "Письмо отправлено", "You need to set your user email before being able to send test emails." : "Вы должны настроить свой e-mail пользователя прежде чем отправлять тестовые сообщения.", "Invalid mail address" : "Некорректный адрес email", @@ -130,6 +128,7 @@ "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Не удается запустить задачу планировщика через CLI. Произошли следующие технические ошибки:", "Configuration Checks" : "Проверка конфигурации", "No problems found" : "Проблемы не найдены", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Пожалуйста, дважды проверьте <a href=\"%s\">инструкцию по установке</a> и проверьте ошибки или предупреждения в <a href=\"#log-section\">журнале</a>.", "Last cron job execution: %s." : "Последнее выполненное Cron задание: %s.", "Last cron job execution: %s. Something seems wrong." : "Последнее выполненное Cron задание: %s. Что-то кажется неправильным.", "Cron was not executed yet!" : "Задачи cron ещё не запускались!", diff --git a/settings/l10n/sk_SK.js b/settings/l10n/sk_SK.js index 828a147cbe2..3db0d8eb486 100644 --- a/settings/l10n/sk_SK.js +++ b/settings/l10n/sk_SK.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Bezpečnosť a nastavenia upozornení", "Cron" : "Cron", "Sharing" : "Zdieľanie", - "Security" : "Zabezpečenie", "Email Server" : "Email server", "Log" : "Záznam", "Authentication error" : "Chyba autentifikácie", @@ -39,8 +38,6 @@ OC.L10N.register( "log-level out of allowed range" : "úroveň logovania z povoleného rozpätia", "Saved" : "Uložené", "test email settings" : "nastavenia testovacieho emailu", - "If you received this email, the settings seem to be correct." : "Ak ste dostali tento email, nastavenie je správne.", - "A problem occurred while sending the email. Please revise your settings." : "Vyskytol sa problém pri odosielaní emailu. Prosím, znovu skontrolujte svoje nastavenia.", "Email sent" : "Email odoslaný", "You need to set your user email before being able to send test emails." : "Musíte nastaviť svoj používateľský email, než budete môcť odoslať testovací email.", "Invalid mail address" : "Neplatná emailová adresa", diff --git a/settings/l10n/sk_SK.json b/settings/l10n/sk_SK.json index 92db8d7b878..7a20f6ecd09 100644 --- a/settings/l10n/sk_SK.json +++ b/settings/l10n/sk_SK.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Bezpečnosť a nastavenia upozornení", "Cron" : "Cron", "Sharing" : "Zdieľanie", - "Security" : "Zabezpečenie", "Email Server" : "Email server", "Log" : "Záznam", "Authentication error" : "Chyba autentifikácie", @@ -37,8 +36,6 @@ "log-level out of allowed range" : "úroveň logovania z povoleného rozpätia", "Saved" : "Uložené", "test email settings" : "nastavenia testovacieho emailu", - "If you received this email, the settings seem to be correct." : "Ak ste dostali tento email, nastavenie je správne.", - "A problem occurred while sending the email. Please revise your settings." : "Vyskytol sa problém pri odosielaní emailu. Prosím, znovu skontrolujte svoje nastavenia.", "Email sent" : "Email odoslaný", "You need to set your user email before being able to send test emails." : "Musíte nastaviť svoj používateľský email, než budete môcť odoslať testovací email.", "Invalid mail address" : "Neplatná emailová adresa", diff --git a/settings/l10n/sl.js b/settings/l10n/sl.js index a08bdc21df7..1d046745504 100644 --- a/settings/l10n/sl.js +++ b/settings/l10n/sl.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Varnostna in nastavitvena opozorila", "Cron" : "Periodično opravilo", "Sharing" : "Souporaba", - "Security" : "Varnost", "Email Server" : "Poštni strežnik", "Log" : "Dnevnik", "Authentication error" : "Napaka med overjanjem", @@ -37,8 +36,6 @@ OC.L10N.register( "Unable to delete group." : "Ni mogoče izbrisati skupine.", "Saved" : "Shranjeno", "test email settings" : "preizkusi nastavitve elektronske pošte", - "If you received this email, the settings seem to be correct." : "Če ste prejeli to sporočilo, so nastavitve pravilne.", - "A problem occurred while sending the email. Please revise your settings." : "Prišlo je do napake med pošiljanjem sporočila na elektronski naslov. Spremeniti je treba nastavitve.", "Email sent" : "Elektronska pošta je poslana", "You need to set your user email before being able to send test emails." : "Pred preizkusnim pošiljanjem sporočil je treba nastaviti elektronski naslov uporabnika.", "Invalid mail address" : "Neveljaven elektronski naslov", diff --git a/settings/l10n/sl.json b/settings/l10n/sl.json index 75bae7152be..f606d689e23 100644 --- a/settings/l10n/sl.json +++ b/settings/l10n/sl.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Varnostna in nastavitvena opozorila", "Cron" : "Periodično opravilo", "Sharing" : "Souporaba", - "Security" : "Varnost", "Email Server" : "Poštni strežnik", "Log" : "Dnevnik", "Authentication error" : "Napaka med overjanjem", @@ -35,8 +34,6 @@ "Unable to delete group." : "Ni mogoče izbrisati skupine.", "Saved" : "Shranjeno", "test email settings" : "preizkusi nastavitve elektronske pošte", - "If you received this email, the settings seem to be correct." : "Če ste prejeli to sporočilo, so nastavitve pravilne.", - "A problem occurred while sending the email. Please revise your settings." : "Prišlo je do napake med pošiljanjem sporočila na elektronski naslov. Spremeniti je treba nastavitve.", "Email sent" : "Elektronska pošta je poslana", "You need to set your user email before being able to send test emails." : "Pred preizkusnim pošiljanjem sporočil je treba nastaviti elektronski naslov uporabnika.", "Invalid mail address" : "Neveljaven elektronski naslov", diff --git a/settings/l10n/sq.js b/settings/l10n/sq.js index f779a1685a8..61a1bb8ce42 100644 --- a/settings/l10n/sq.js +++ b/settings/l10n/sq.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Paralajmërimet e Sigurisë dhe Konfigurimit", "Cron" : "Cron", "Sharing" : "Ndarje", - "Security" : "Siguria", "Email Server" : "Serveri Email", "Log" : "Historik aktiviteti", "Authentication error" : "Gabim autentifikimi", diff --git a/settings/l10n/sq.json b/settings/l10n/sq.json index c9fe14920a1..e53776ab4ac 100644 --- a/settings/l10n/sq.json +++ b/settings/l10n/sq.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Paralajmërimet e Sigurisë dhe Konfigurimit", "Cron" : "Cron", "Sharing" : "Ndarje", - "Security" : "Siguria", "Email Server" : "Serveri Email", "Log" : "Historik aktiviteti", "Authentication error" : "Gabim autentifikimi", diff --git a/settings/l10n/sr.js b/settings/l10n/sr.js index eeedef6f18a..4b63dbf461a 100644 --- a/settings/l10n/sr.js +++ b/settings/l10n/sr.js @@ -2,8 +2,8 @@ OC.L10N.register( "settings", { "Security & Setup Warnings" : "Упозорења поставки и безбедности", + "Cron" : "Распоређивач задатака", "Sharing" : "Дељење", - "Security" : "Безбедност", "Email Server" : "Сервер е-поште", "Log" : "Бележење", "Authentication error" : "Грешка при провери идентитета", @@ -38,8 +38,7 @@ OC.L10N.register( "log-level out of allowed range" : "ниво бележења је ван дозвољеног опсега", "Saved" : "Сачувано", "test email settings" : "тестирајте поставке е-поште", - "If you received this email, the settings seem to be correct." : "Уколико сте примили ову поруку, подешавања за е-пошту су исправна.", - "A problem occurred while sending the email. Please revise your settings." : "Проблем приликом слања е-поште. Проверите поставке.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Појавио се проблем приликом слања е-поште. Молимо вас да проверите ваше поставке. (Грешка: %s)", "Email sent" : "Порука је послата", "You need to set your user email before being able to send test emails." : "Морате поставити адресу е-поште пре слања тестне поруке.", "Invalid mail address" : "Неисправна е-адреса", @@ -102,15 +101,24 @@ OC.L10N.register( "Fatal issues only" : "Само фатални проблеми", "None" : "Ништа", "Login" : "Пријава", + "Plain" : "Једноставан", + "NT LAN Manager" : "НТ ЛАН менаџер", + "SSL" : "SSL", + "TLS" : "TLS", "Read-Only config enabled" : "Подешавања само-за-читање укључена", "Setup Warning" : "Упозорење о подешавању", + "Database Performance Info" : "Информације о перформансама базе", "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "Нарочито ако се користи клијент програм у графичком окружењу, коришћење СКуЛајта није препоручљиво.", + "To migrate to another database use the command line tool: 'occ db:convert-type'" : "За мигрирацију на другу базу података користите командну линију: 'occ db:convert-type'", + "Microsoft Windows Platform" : "Мајкрософт Виндоуз платформа", + "Your server is running on Microsoft Windows. We highly recommend Linux for optimal user experience." : "Ваш сервер ради под оперативним системом Microsoft Windows. Препоручујемо оперативни систем Linux за оптималaн кориснички доживљај.", "Module 'fileinfo' missing" : "Недостаје модул „fileinfo“", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with mime-type detection." : "Недостаје ПХП модул „fileinfo“. Препоручујемо вам да га укључите да бисте добили најбоље резултате с откривањем МИМЕ врста.", "Locale not working" : "Локализација не ради", "System locale can not be set to a one which supports UTF-8." : "Системски локалитет се не може поставити на неки који подржава УТФ-8", "This means that there might be problems with certain characters in file names." : "То значи да може доћи до проблема са неким знаковима у називима фајлова.", "We strongly suggest installing the required packages on your system to support one of the following locales: %s." : "Препоручујемо да инсталирате потребне пакете да бисте подржали следеће локалитете: %s", + "URL generation in notification emails" : "УРЛ генерисање у информативним е-порукама", "Configuration Checks" : "Провера подешавања", "No problems found" : "Нема никаквих проблема", "Execute one task with each page loaded" : "Изврши један задатак са сваком учитаном страницом", @@ -125,7 +133,7 @@ OC.L10N.register( "Enforce expiration date" : "Захтевај датум истека", "Allow resharing" : "Дозволи поновно дељење", "Restrict users to only share with users in their groups" : "Ограничи кориснике да могу да деле само унутар групе", - "Allow users to send mail notification for shared files to other users" : "Дозволи корисницима да шаљу обавештења за дељене фајлове", + "Allow users to send mail notification for shared files to other users" : "Дозволи корисницима да шаљу обавештења е-поштом за дељене фајлове", "Exclude groups from sharing" : "Изузми групе из дељења", "These groups will still be able to receive shares, but not to initiate them." : "Ове групе ће моћи да примају дељења али не и да их праве.", "This is used for sending out notifications." : "Ово се користи за слање обавештења.", @@ -220,11 +228,12 @@ OC.L10N.register( "Group" : "Група", "Everyone" : "Сви", "Admins" : "Аднинистрација", - "Default Quota" : "Подразумевано ограничење", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Унесите ограничење складишта (нпр. 512 MB или 12 GB)", + "Default Quota" : "Подразумевана квота", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Унесите квоту складиштења (нпр. 512 MB или 12 GB)", "Unlimited" : "Неограничено", "Other" : "Друго", - "Quota" : "Ограничење", + "Group Admin for" : "Групни администратор за", + "Quota" : "Квота", "Storage Location" : "Локација складишта", "User Backend" : "Позадина за кориснике", "Last Login" : "Последња пријава", diff --git a/settings/l10n/sr.json b/settings/l10n/sr.json index d1f3f8f8683..17d164e4b16 100644 --- a/settings/l10n/sr.json +++ b/settings/l10n/sr.json @@ -1,7 +1,7 @@ { "translations": { "Security & Setup Warnings" : "Упозорења поставки и безбедности", + "Cron" : "Распоређивач задатака", "Sharing" : "Дељење", - "Security" : "Безбедност", "Email Server" : "Сервер е-поште", "Log" : "Бележење", "Authentication error" : "Грешка при провери идентитета", @@ -36,8 +36,7 @@ "log-level out of allowed range" : "ниво бележења је ван дозвољеног опсега", "Saved" : "Сачувано", "test email settings" : "тестирајте поставке е-поште", - "If you received this email, the settings seem to be correct." : "Уколико сте примили ову поруку, подешавања за е-пошту су исправна.", - "A problem occurred while sending the email. Please revise your settings." : "Проблем приликом слања е-поште. Проверите поставке.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Појавио се проблем приликом слања е-поште. Молимо вас да проверите ваше поставке. (Грешка: %s)", "Email sent" : "Порука је послата", "You need to set your user email before being able to send test emails." : "Морате поставити адресу е-поште пре слања тестне поруке.", "Invalid mail address" : "Неисправна е-адреса", @@ -100,15 +99,24 @@ "Fatal issues only" : "Само фатални проблеми", "None" : "Ништа", "Login" : "Пријава", + "Plain" : "Једноставан", + "NT LAN Manager" : "НТ ЛАН менаџер", + "SSL" : "SSL", + "TLS" : "TLS", "Read-Only config enabled" : "Подешавања само-за-читање укључена", "Setup Warning" : "Упозорење о подешавању", + "Database Performance Info" : "Информације о перформансама базе", "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "Нарочито ако се користи клијент програм у графичком окружењу, коришћење СКуЛајта није препоручљиво.", + "To migrate to another database use the command line tool: 'occ db:convert-type'" : "За мигрирацију на другу базу података користите командну линију: 'occ db:convert-type'", + "Microsoft Windows Platform" : "Мајкрософт Виндоуз платформа", + "Your server is running on Microsoft Windows. We highly recommend Linux for optimal user experience." : "Ваш сервер ради под оперативним системом Microsoft Windows. Препоручујемо оперативни систем Linux за оптималaн кориснички доживљај.", "Module 'fileinfo' missing" : "Недостаје модул „fileinfo“", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with mime-type detection." : "Недостаје ПХП модул „fileinfo“. Препоручујемо вам да га укључите да бисте добили најбоље резултате с откривањем МИМЕ врста.", "Locale not working" : "Локализација не ради", "System locale can not be set to a one which supports UTF-8." : "Системски локалитет се не може поставити на неки који подржава УТФ-8", "This means that there might be problems with certain characters in file names." : "То значи да може доћи до проблема са неким знаковима у називима фајлова.", "We strongly suggest installing the required packages on your system to support one of the following locales: %s." : "Препоручујемо да инсталирате потребне пакете да бисте подржали следеће локалитете: %s", + "URL generation in notification emails" : "УРЛ генерисање у информативним е-порукама", "Configuration Checks" : "Провера подешавања", "No problems found" : "Нема никаквих проблема", "Execute one task with each page loaded" : "Изврши један задатак са сваком учитаном страницом", @@ -123,7 +131,7 @@ "Enforce expiration date" : "Захтевај датум истека", "Allow resharing" : "Дозволи поновно дељење", "Restrict users to only share with users in their groups" : "Ограничи кориснике да могу да деле само унутар групе", - "Allow users to send mail notification for shared files to other users" : "Дозволи корисницима да шаљу обавештења за дељене фајлове", + "Allow users to send mail notification for shared files to other users" : "Дозволи корисницима да шаљу обавештења е-поштом за дељене фајлове", "Exclude groups from sharing" : "Изузми групе из дељења", "These groups will still be able to receive shares, but not to initiate them." : "Ове групе ће моћи да примају дељења али не и да их праве.", "This is used for sending out notifications." : "Ово се користи за слање обавештења.", @@ -218,11 +226,12 @@ "Group" : "Група", "Everyone" : "Сви", "Admins" : "Аднинистрација", - "Default Quota" : "Подразумевано ограничење", - "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Унесите ограничење складишта (нпр. 512 MB или 12 GB)", + "Default Quota" : "Подразумевана квота", + "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Унесите квоту складиштења (нпр. 512 MB или 12 GB)", "Unlimited" : "Неограничено", "Other" : "Друго", - "Quota" : "Ограничење", + "Group Admin for" : "Групни администратор за", + "Quota" : "Квота", "Storage Location" : "Локација складишта", "User Backend" : "Позадина за кориснике", "Last Login" : "Последња пријава", diff --git a/settings/l10n/sv.js b/settings/l10n/sv.js index 49c0f7bc34d..f58a6bf5afa 100644 --- a/settings/l10n/sv.js +++ b/settings/l10n/sv.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Säkerhets & Inställningsvarningar", "Cron" : "Cron", "Sharing" : "Dela", - "Security" : "Säkerhet", "Email Server" : "E-postserver", "Log" : "Logg", "Authentication error" : "Fel vid autentisering", @@ -38,8 +37,6 @@ OC.L10N.register( "log-level out of allowed range" : "logg-nivå utanför tillåtet område", "Saved" : "Sparad", "test email settings" : "testa e-post inställningar", - "If you received this email, the settings seem to be correct." : "Om du mottog detta e-postmeddelande, verkar dina inställningar vara korrekta.", - "A problem occurred while sending the email. Please revise your settings." : "Ett problem uppstod när e-postmeddelandet skickades. Vänligen se över dina inställningar.", "Email sent" : "E-post skickat", "You need to set your user email before being able to send test emails." : "Du behöver ställa in din användares e-postadress före du kan skicka test e-post.", "Invalid mail address" : "Ogiltig e-postadress", diff --git a/settings/l10n/sv.json b/settings/l10n/sv.json index f26546b2a96..d152fca96cd 100644 --- a/settings/l10n/sv.json +++ b/settings/l10n/sv.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Säkerhets & Inställningsvarningar", "Cron" : "Cron", "Sharing" : "Dela", - "Security" : "Säkerhet", "Email Server" : "E-postserver", "Log" : "Logg", "Authentication error" : "Fel vid autentisering", @@ -36,8 +35,6 @@ "log-level out of allowed range" : "logg-nivå utanför tillåtet område", "Saved" : "Sparad", "test email settings" : "testa e-post inställningar", - "If you received this email, the settings seem to be correct." : "Om du mottog detta e-postmeddelande, verkar dina inställningar vara korrekta.", - "A problem occurred while sending the email. Please revise your settings." : "Ett problem uppstod när e-postmeddelandet skickades. Vänligen se över dina inställningar.", "Email sent" : "E-post skickat", "You need to set your user email before being able to send test emails." : "Du behöver ställa in din användares e-postadress före du kan skicka test e-post.", "Invalid mail address" : "Ogiltig e-postadress", diff --git a/settings/l10n/tr.js b/settings/l10n/tr.js index 0bdcefd9013..8aa0f0d4a21 100644 --- a/settings/l10n/tr.js +++ b/settings/l10n/tr.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "Güvenlik ve Kurulum Uyarıları", "Cron" : "Cron", "Sharing" : "Paylaşım", - "Security" : "Güvenlik", "Email Server" : "E-Posta Sunucusu", "Log" : "Günlük", "Authentication error" : "Kimlik doğrulama hatası", @@ -39,8 +38,6 @@ OC.L10N.register( "log-level out of allowed range" : "günlük seviyesi izin verilen aralık dışında", "Saved" : "Kaydedildi", "test email settings" : "e-posta ayarlarını sına", - "If you received this email, the settings seem to be correct." : "Eğer bu e-postayı aldıysanız, ayarlar doğru gibi görünüyor.", - "A problem occurred while sending the email. Please revise your settings." : "E-posta gönderilirken bir sorun oluştu. Lütfen ayarlarınızı gözden geçirin.", "Email sent" : "E-posta gönderildi", "You need to set your user email before being able to send test emails." : "Sınama e-postaları göndermeden önce kullanıcı e-postasını ayarlamanız gerekiyor.", "Invalid mail address" : "Geçersiz posta adresi", @@ -132,6 +129,7 @@ OC.L10N.register( "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Bu CLI ile cronjobı çalıştırmak mümkün değildi. Aşağıdaki teknik hatalar ortaya çıkmıştır:", "Configuration Checks" : "Yapılandırma Kontrolleri", "No problems found" : "Hiç sorun yok", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "<a Href=\"%s\"> kurulumu </a> kılavuzlarını kontrol çift, ve <a href=\"#log-section\"> günlük </a> herhangi bir hata veya uyarı için kontrol edin.", "Last cron job execution: %s." : "Son cron çalıştırılma: %s.", "Last cron job execution: %s. Something seems wrong." : "Son cron çalıştırılma: %s. Bir şeyler yanlış gibi görünüyor.", "Cron was not executed yet!" : "Cron henüz çalıştırılmadı!", diff --git a/settings/l10n/tr.json b/settings/l10n/tr.json index f4b3f1d5098..97da8310ccd 100644 --- a/settings/l10n/tr.json +++ b/settings/l10n/tr.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "Güvenlik ve Kurulum Uyarıları", "Cron" : "Cron", "Sharing" : "Paylaşım", - "Security" : "Güvenlik", "Email Server" : "E-Posta Sunucusu", "Log" : "Günlük", "Authentication error" : "Kimlik doğrulama hatası", @@ -37,8 +36,6 @@ "log-level out of allowed range" : "günlük seviyesi izin verilen aralık dışında", "Saved" : "Kaydedildi", "test email settings" : "e-posta ayarlarını sına", - "If you received this email, the settings seem to be correct." : "Eğer bu e-postayı aldıysanız, ayarlar doğru gibi görünüyor.", - "A problem occurred while sending the email. Please revise your settings." : "E-posta gönderilirken bir sorun oluştu. Lütfen ayarlarınızı gözden geçirin.", "Email sent" : "E-posta gönderildi", "You need to set your user email before being able to send test emails." : "Sınama e-postaları göndermeden önce kullanıcı e-postasını ayarlamanız gerekiyor.", "Invalid mail address" : "Geçersiz posta adresi", @@ -130,6 +127,7 @@ "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Bu CLI ile cronjobı çalıştırmak mümkün değildi. Aşağıdaki teknik hatalar ortaya çıkmıştır:", "Configuration Checks" : "Yapılandırma Kontrolleri", "No problems found" : "Hiç sorun yok", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "<a Href=\"%s\"> kurulumu </a> kılavuzlarını kontrol çift, ve <a href=\"#log-section\"> günlük </a> herhangi bir hata veya uyarı için kontrol edin.", "Last cron job execution: %s." : "Son cron çalıştırılma: %s.", "Last cron job execution: %s. Something seems wrong." : "Son cron çalıştırılma: %s. Bir şeyler yanlış gibi görünüyor.", "Cron was not executed yet!" : "Cron henüz çalıştırılmadı!", diff --git a/settings/l10n/ug.js b/settings/l10n/ug.js index d53f366f993..d27b2f6d5fd 100644 --- a/settings/l10n/ug.js +++ b/settings/l10n/ug.js @@ -2,7 +2,6 @@ OC.L10N.register( "settings", { "Sharing" : "ھەمبەھىر", - "Security" : "بىخەتەرلىك", "Log" : "خاتىرە", "Authentication error" : "سالاھىيەت دەلىللەش خاتالىقى", "Language changed" : "تىل ئۆزگەردى", diff --git a/settings/l10n/ug.json b/settings/l10n/ug.json index f7a5913f200..904d1e4dc13 100644 --- a/settings/l10n/ug.json +++ b/settings/l10n/ug.json @@ -1,6 +1,5 @@ { "translations": { "Sharing" : "ھەمبەھىر", - "Security" : "بىخەتەرلىك", "Log" : "خاتىرە", "Authentication error" : "سالاھىيەت دەلىللەش خاتالىقى", "Language changed" : "تىل ئۆزگەردى", diff --git a/settings/l10n/uk.js b/settings/l10n/uk.js index 535d7e370e0..d16c7ec3f69 100644 --- a/settings/l10n/uk.js +++ b/settings/l10n/uk.js @@ -2,11 +2,10 @@ OC.L10N.register( "settings", { "Security & Setup Warnings" : "Попередження Налаштувань та Безпеки", - "Cron" : "Cron", + "Cron" : "Планувальник Cron", "Sharing" : "Спільний доступ", - "Security" : "Безпека", "Email Server" : "Сервер електронної пошти", - "Log" : "Протокол", + "Log" : "Журнал", "Authentication error" : "Помилка автентифікації", "Your full name has been changed." : "Ваше ім'я було змінене", "Unable to change full name" : "Неможливо змінити ім'я", @@ -28,6 +27,7 @@ OC.L10N.register( "No user supplied" : "Користувач не знайден", "Please provide an admin recovery password, otherwise all user data will be lost" : "Будь ласка введіть пароль адміністратора для відновлення, інакше всі дані будуть втрачені", "Wrong admin recovery password. Please check the password and try again." : "Неправильний пароль адміністратора для відновлення. Перевірте пароль та спробуйте ще раз.", + "Backend doesn't support password change, but the user's encryption key was successfully updated." : "Використовуваний механізм не підтримує зміну паролів, але користувальницький ключ шифрування був успішно змінено", "Unable to change password" : "Неможливо змінити пароль", "Enabled" : "Увімкнено", "Not enabled" : "Вимкнено", @@ -38,8 +38,7 @@ OC.L10N.register( "log-level out of allowed range" : "Перевищений розмір файлу-логу", "Saved" : "Збереженно", "test email settings" : "перевірити налаштування електронної пошти", - "If you received this email, the settings seem to be correct." : "Якщо ви отримали цього листа, налаштування вірні.", - "A problem occurred while sending the email. Please revise your settings." : "Під час надсилання листа виникли проблеми. Будь ласка перевірте налаштування.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Під час відправки email сталася помилка. Будь ласка перевірте налаштування. (Помилка:%s)", "Email sent" : "Ел. пошта надіслана", "You need to set your user email before being able to send test emails." : "Перед надсиланням тестових повідомлень ви повинні вказати свою електронну адресу.", "Invalid mail address" : "Неправильна email адреса", @@ -86,6 +85,7 @@ OC.L10N.register( "never" : "ніколи", "deleted {userName}" : "видалено {userName}", "add group" : "додати групу", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Зміна пароля призведе до втрати даних, тому що відновлення даних не доступно для цього користувача", "A valid username must be provided" : "Потрібно задати вірне ім'я користувача", "Error creating user" : "Помилка при створенні користувача", "A valid password must be provided" : "Потрібно задати вірний пароль", @@ -111,6 +111,13 @@ OC.L10N.register( "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible." : "Схоже, що PHP налаштовано на вичищення блоків вбудованої документації. Це зробить кілька основних додатків недоступними.", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Це, ймовірно, обумовлено використанням кеша/прискорювача такого як Zend OPcache або eAccelerator.", "Database Performance Info" : "Інформація продуктивності баз даних", + "SQLite is used as database. For larger installations we recommend to switch to a different database backend." : "В якості бази даних використовується SQLite. Для великих установок ми рекомендуємо переключитися на інший тип серверу баз даних.", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "Особливо викликає сумнів використання SQLite при синхронізації файлів з використанням клієнта для ПК.", + "To migrate to another database use the command line tool: 'occ db:convert-type'" : "Для переходу на іншу базу даних використовуйте команду: 'occ db:convert-type'", + "Microsoft Windows Platform" : "Microsoft Windows Platform", + "Your server is running on Microsoft Windows. We highly recommend Linux for optimal user experience." : "Ваш сервер працює на ОС Microsoft Windows. Ми настійно рекомендуємо використовувати ОС сімейства Linux для досягнення найкращих умов використання.", + "APCu below version 4.0.6 installed" : "Встановлена APCu, версія 4.0.6.", + "APCu below version 4.0.6 is installed, for stability and performance reasons we recommend to update to a newer APCu version." : "Встановлена APCu, версія 4.0.6. З метою стабільності ми рекомендуємо оновити на більш нову версію APCu.", "Module 'fileinfo' missing" : "Модуль 'fileinfo' відсутній", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with mime-type detection." : "PHP модуль 'fileinfo' відсутній. Ми наполегливо рекомендуємо увімкнути цей модуль, щоб отримати кращі результати при виявленні MIME-типів.", "Locale not working" : "Локалізація не працює", @@ -119,8 +126,13 @@ OC.L10N.register( "We strongly suggest installing the required packages on your system to support one of the following locales: %s." : "Пропонуємо встановити необхідні пакети для вашої системи для підтримки однієї з наступних мов %s.", "URL generation in notification emails" : "Генерування URL для повідомлень в електроних листах", "If your installation is not installed in the root of the domain and uses system cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "Якщо ваша копія ownCloud встановлена не в корені домену та використовує систему планування CRON, можливі проблеми з генерацією правильних URL. Щоб уникнути цього, встановіть опцію \"overwrite.cli.url\" файла config.php відповідно до теки розташування установки (Ймовірніше за все, це \"%s\")", + "Cronjob encountered misconfiguration" : "Одне із завдань планувальника має неправильну конфігурацію", + "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Не вдалося запустити завдання планувальника через CLI. Відбулися наступні технічні помилки:", "Configuration Checks" : "Перевірка налаштувань", "No problems found" : "Проблем не виявленно", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Будь ласка, двічі перевірте <a href=\"%s\"> інструкцію з встановлення </a> та перевірте помилки або попередження в <a href=\"#log-section\"> журналі </a>.", + "Last cron job execution: %s." : "Останне виконане Cron завдання: %s.", + "Last cron job execution: %s. Something seems wrong." : "Останне виконане Cron завдання: %s. Щось здається неправильним.", "Cron was not executed yet!" : "Cron-задачі ще не запускалися!", "Execute one task with each page loaded" : "Виконати одне завдання для кожної завантаженої сторінки ", "cron.php is registered at a webcron service to call cron.php every 15 minutes over http." : "cron.php зареєстрований в службі webcron та буде викликатися кожні 15 хвилин через HTTP.", @@ -157,8 +169,10 @@ OC.L10N.register( "Download logfile" : "Завантажити файл журналу", "More" : "Більше", "Less" : "Менше", + "The logfile is bigger than 100 MB. Downloading it may take some time!" : "Журнал-файл - більше 100 МБ. Його скачування може зайняти деякий час!", "Version" : "Версія", "More apps" : "Більше додатків", + "Developer documentation" : "Документація для розробників", "by" : "по", "licensed" : "Ліцензовано", "Documentation:" : "Документація:", @@ -180,6 +194,7 @@ OC.L10N.register( "Desktop client" : "Клієнт для ПК", "Android app" : "Android-додаток", "iOS app" : "iOS додаток", + "If you want to support the project\n\t\t<a href=\"https://owncloud.org/contribute\"\n\t\t\ttarget=\"_blank\" rel=\"noreferrer\">join development</a>\n\t\tor\n\t\t<a href=\"https://owncloud.org/promote\"\n\t\t\ttarget=\"_blank\" rel=\"noreferrer\">spread the word</a>!" : "Якщо Ви хочете підтримати проект\n⇥⇥ <a href=\"https://owncloud.org/contribute\"\n⇥⇥⇥target=\"_blank\" rel=\"noreferrer\"> спільна розробка </a> \n⇥⇥або\n⇥ ⇥ <a href=\"https://owncloud.org/promote\"\n ⇥⇥⇥target=\"_blank\" rel=\"noreferrer\"> повідомити у світі </a> !", "Show First Run Wizard again" : "Показувати Майстер Налаштувань знову", "You have used <strong>%s</strong> of the available <strong>%s</strong>" : "Ви використали <strong>%s</strong> із доступних <strong>%s</strong>", "Password" : "Пароль", @@ -188,9 +203,12 @@ OC.L10N.register( "New password" : "Новий пароль", "Change password" : "Змінити пароль", "Full Name" : "Повне Ім'я", + "No display name set" : "Коротке ім'я не вказано", "Email" : "Ел.пошта", "Your email address" : "Ваша адреса електронної пошти", "Fill in an email address to enable password recovery and receive notifications" : "Введіть адресу електронної пошти, щоб ввімкнути відновлення паролю та отримання повідомлень", + "No email address set" : "E-mail не вказано", + "You are member of the following groups:" : "Ви є членом наступних груп:", "Profile picture" : "Зображення облікового запису", "Upload new" : "Завантажити нове", "Select new from Files" : "Обрати із завантажених файлів", @@ -212,6 +230,7 @@ OC.L10N.register( "Your encryption keys are moved to a backup location. If something went wrong you can restore the keys. Only delete them permanently if you are sure that all files are decrypted correctly." : "Ваші ключі шифрування переміщено до теки резервного копіювання. Якщо щось піде не так, ви зможете відновити їх. Видаляйте ключі лише в тому випадку, коли всі файли розшифровані.", "Restore Encryption Keys" : "Відновити ключі шифрування", "Delete Encryption Keys" : "Видалити ключі шифрування", + "Developed by the {communityopen}ownCloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}<abbr title=\"Affero General Public License\">AGPL</abbr>{linkclose}." : "Розроблено {communityopen} спільнотою ownCloud {linkclose}, {githubopen} вихідний код {linkclose} ліцензується відповідно до {licenseopen} <abbr title = \"Публічної ліцензії Affero General\"> AGPL </ abbr> {linkclose}.", "Show storage location" : "Показати місцезнаходження сховища", "Show last log in" : "Показати останній вхід в систему", "Show user backend" : "Показати користувача", diff --git a/settings/l10n/uk.json b/settings/l10n/uk.json index afd8d3c5564..c01d6e29b44 100644 --- a/settings/l10n/uk.json +++ b/settings/l10n/uk.json @@ -1,10 +1,9 @@ { "translations": { "Security & Setup Warnings" : "Попередження Налаштувань та Безпеки", - "Cron" : "Cron", + "Cron" : "Планувальник Cron", "Sharing" : "Спільний доступ", - "Security" : "Безпека", "Email Server" : "Сервер електронної пошти", - "Log" : "Протокол", + "Log" : "Журнал", "Authentication error" : "Помилка автентифікації", "Your full name has been changed." : "Ваше ім'я було змінене", "Unable to change full name" : "Неможливо змінити ім'я", @@ -26,6 +25,7 @@ "No user supplied" : "Користувач не знайден", "Please provide an admin recovery password, otherwise all user data will be lost" : "Будь ласка введіть пароль адміністратора для відновлення, інакше всі дані будуть втрачені", "Wrong admin recovery password. Please check the password and try again." : "Неправильний пароль адміністратора для відновлення. Перевірте пароль та спробуйте ще раз.", + "Backend doesn't support password change, but the user's encryption key was successfully updated." : "Використовуваний механізм не підтримує зміну паролів, але користувальницький ключ шифрування був успішно змінено", "Unable to change password" : "Неможливо змінити пароль", "Enabled" : "Увімкнено", "Not enabled" : "Вимкнено", @@ -36,8 +36,7 @@ "log-level out of allowed range" : "Перевищений розмір файлу-логу", "Saved" : "Збереженно", "test email settings" : "перевірити налаштування електронної пошти", - "If you received this email, the settings seem to be correct." : "Якщо ви отримали цього листа, налаштування вірні.", - "A problem occurred while sending the email. Please revise your settings." : "Під час надсилання листа виникли проблеми. Будь ласка перевірте налаштування.", + "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Під час відправки email сталася помилка. Будь ласка перевірте налаштування. (Помилка:%s)", "Email sent" : "Ел. пошта надіслана", "You need to set your user email before being able to send test emails." : "Перед надсиланням тестових повідомлень ви повинні вказати свою електронну адресу.", "Invalid mail address" : "Неправильна email адреса", @@ -84,6 +83,7 @@ "never" : "ніколи", "deleted {userName}" : "видалено {userName}", "add group" : "додати групу", + "Changing the password will result in data loss, because data recovery is not available for this user" : "Зміна пароля призведе до втрати даних, тому що відновлення даних не доступно для цього користувача", "A valid username must be provided" : "Потрібно задати вірне ім'я користувача", "Error creating user" : "Помилка при створенні користувача", "A valid password must be provided" : "Потрібно задати вірний пароль", @@ -109,6 +109,13 @@ "PHP is apparently setup to strip inline doc blocks. This will make several core apps inaccessible." : "Схоже, що PHP налаштовано на вичищення блоків вбудованої документації. Це зробить кілька основних додатків недоступними.", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Це, ймовірно, обумовлено використанням кеша/прискорювача такого як Zend OPcache або eAccelerator.", "Database Performance Info" : "Інформація продуктивності баз даних", + "SQLite is used as database. For larger installations we recommend to switch to a different database backend." : "В якості бази даних використовується SQLite. Для великих установок ми рекомендуємо переключитися на інший тип серверу баз даних.", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "Особливо викликає сумнів використання SQLite при синхронізації файлів з використанням клієнта для ПК.", + "To migrate to another database use the command line tool: 'occ db:convert-type'" : "Для переходу на іншу базу даних використовуйте команду: 'occ db:convert-type'", + "Microsoft Windows Platform" : "Microsoft Windows Platform", + "Your server is running on Microsoft Windows. We highly recommend Linux for optimal user experience." : "Ваш сервер працює на ОС Microsoft Windows. Ми настійно рекомендуємо використовувати ОС сімейства Linux для досягнення найкращих умов використання.", + "APCu below version 4.0.6 installed" : "Встановлена APCu, версія 4.0.6.", + "APCu below version 4.0.6 is installed, for stability and performance reasons we recommend to update to a newer APCu version." : "Встановлена APCu, версія 4.0.6. З метою стабільності ми рекомендуємо оновити на більш нову версію APCu.", "Module 'fileinfo' missing" : "Модуль 'fileinfo' відсутній", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with mime-type detection." : "PHP модуль 'fileinfo' відсутній. Ми наполегливо рекомендуємо увімкнути цей модуль, щоб отримати кращі результати при виявленні MIME-типів.", "Locale not working" : "Локалізація не працює", @@ -117,8 +124,13 @@ "We strongly suggest installing the required packages on your system to support one of the following locales: %s." : "Пропонуємо встановити необхідні пакети для вашої системи для підтримки однієї з наступних мов %s.", "URL generation in notification emails" : "Генерування URL для повідомлень в електроних листах", "If your installation is not installed in the root of the domain and uses system cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "Якщо ваша копія ownCloud встановлена не в корені домену та використовує систему планування CRON, можливі проблеми з генерацією правильних URL. Щоб уникнути цього, встановіть опцію \"overwrite.cli.url\" файла config.php відповідно до теки розташування установки (Ймовірніше за все, це \"%s\")", + "Cronjob encountered misconfiguration" : "Одне із завдань планувальника має неправильну конфігурацію", + "It was not possible to execute the cronjob via CLI. The following technical errors have appeared:" : "Не вдалося запустити завдання планувальника через CLI. Відбулися наступні технічні помилки:", "Configuration Checks" : "Перевірка налаштувань", "No problems found" : "Проблем не виявленно", + "Please double check the <a href=\"%s\">installation guides</a>, and check for any errors or warnings in the <a href=\"#log-section\">log</a>." : "Будь ласка, двічі перевірте <a href=\"%s\"> інструкцію з встановлення </a> та перевірте помилки або попередження в <a href=\"#log-section\"> журналі </a>.", + "Last cron job execution: %s." : "Останне виконане Cron завдання: %s.", + "Last cron job execution: %s. Something seems wrong." : "Останне виконане Cron завдання: %s. Щось здається неправильним.", "Cron was not executed yet!" : "Cron-задачі ще не запускалися!", "Execute one task with each page loaded" : "Виконати одне завдання для кожної завантаженої сторінки ", "cron.php is registered at a webcron service to call cron.php every 15 minutes over http." : "cron.php зареєстрований в службі webcron та буде викликатися кожні 15 хвилин через HTTP.", @@ -155,8 +167,10 @@ "Download logfile" : "Завантажити файл журналу", "More" : "Більше", "Less" : "Менше", + "The logfile is bigger than 100 MB. Downloading it may take some time!" : "Журнал-файл - більше 100 МБ. Його скачування може зайняти деякий час!", "Version" : "Версія", "More apps" : "Більше додатків", + "Developer documentation" : "Документація для розробників", "by" : "по", "licensed" : "Ліцензовано", "Documentation:" : "Документація:", @@ -178,6 +192,7 @@ "Desktop client" : "Клієнт для ПК", "Android app" : "Android-додаток", "iOS app" : "iOS додаток", + "If you want to support the project\n\t\t<a href=\"https://owncloud.org/contribute\"\n\t\t\ttarget=\"_blank\" rel=\"noreferrer\">join development</a>\n\t\tor\n\t\t<a href=\"https://owncloud.org/promote\"\n\t\t\ttarget=\"_blank\" rel=\"noreferrer\">spread the word</a>!" : "Якщо Ви хочете підтримати проект\n⇥⇥ <a href=\"https://owncloud.org/contribute\"\n⇥⇥⇥target=\"_blank\" rel=\"noreferrer\"> спільна розробка </a> \n⇥⇥або\n⇥ ⇥ <a href=\"https://owncloud.org/promote\"\n ⇥⇥⇥target=\"_blank\" rel=\"noreferrer\"> повідомити у світі </a> !", "Show First Run Wizard again" : "Показувати Майстер Налаштувань знову", "You have used <strong>%s</strong> of the available <strong>%s</strong>" : "Ви використали <strong>%s</strong> із доступних <strong>%s</strong>", "Password" : "Пароль", @@ -186,9 +201,12 @@ "New password" : "Новий пароль", "Change password" : "Змінити пароль", "Full Name" : "Повне Ім'я", + "No display name set" : "Коротке ім'я не вказано", "Email" : "Ел.пошта", "Your email address" : "Ваша адреса електронної пошти", "Fill in an email address to enable password recovery and receive notifications" : "Введіть адресу електронної пошти, щоб ввімкнути відновлення паролю та отримання повідомлень", + "No email address set" : "E-mail не вказано", + "You are member of the following groups:" : "Ви є членом наступних груп:", "Profile picture" : "Зображення облікового запису", "Upload new" : "Завантажити нове", "Select new from Files" : "Обрати із завантажених файлів", @@ -210,6 +228,7 @@ "Your encryption keys are moved to a backup location. If something went wrong you can restore the keys. Only delete them permanently if you are sure that all files are decrypted correctly." : "Ваші ключі шифрування переміщено до теки резервного копіювання. Якщо щось піде не так, ви зможете відновити їх. Видаляйте ключі лише в тому випадку, коли всі файли розшифровані.", "Restore Encryption Keys" : "Відновити ключі шифрування", "Delete Encryption Keys" : "Видалити ключі шифрування", + "Developed by the {communityopen}ownCloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}<abbr title=\"Affero General Public License\">AGPL</abbr>{linkclose}." : "Розроблено {communityopen} спільнотою ownCloud {linkclose}, {githubopen} вихідний код {linkclose} ліцензується відповідно до {licenseopen} <abbr title = \"Публічної ліцензії Affero General\"> AGPL </ abbr> {linkclose}.", "Show storage location" : "Показати місцезнаходження сховища", "Show last log in" : "Показати останній вхід в систему", "Show user backend" : "Показати користувача", diff --git a/settings/l10n/zh_CN.js b/settings/l10n/zh_CN.js index 33c8de9a860..3b0242fa1d1 100644 --- a/settings/l10n/zh_CN.js +++ b/settings/l10n/zh_CN.js @@ -3,7 +3,6 @@ OC.L10N.register( { "Cron" : "计划任务", "Sharing" : "共享", - "Security" : "安全", "Email Server" : "电子邮件服务器", "Log" : "日志", "Authentication error" : "认证错误", @@ -31,7 +30,6 @@ OC.L10N.register( "Enabled" : "开启", "Saved" : "已保存", "test email settings" : "测试电子邮件设置", - "If you received this email, the settings seem to be correct." : "如果您收到了这封邮件,看起来设置没有问题。", "Email sent" : "邮件已发送", "You need to set your user email before being able to send test emails." : "在发送测试邮件前您需要设置您的用户电子邮件。", "Email saved" : "电子邮件已保存", diff --git a/settings/l10n/zh_CN.json b/settings/l10n/zh_CN.json index 42ae73d7baa..572dace2746 100644 --- a/settings/l10n/zh_CN.json +++ b/settings/l10n/zh_CN.json @@ -1,7 +1,6 @@ { "translations": { "Cron" : "计划任务", "Sharing" : "共享", - "Security" : "安全", "Email Server" : "电子邮件服务器", "Log" : "日志", "Authentication error" : "认证错误", @@ -29,7 +28,6 @@ "Enabled" : "开启", "Saved" : "已保存", "test email settings" : "测试电子邮件设置", - "If you received this email, the settings seem to be correct." : "如果您收到了这封邮件,看起来设置没有问题。", "Email sent" : "邮件已发送", "You need to set your user email before being able to send test emails." : "在发送测试邮件前您需要设置您的用户电子邮件。", "Email saved" : "电子邮件已保存", diff --git a/settings/l10n/zh_HK.js b/settings/l10n/zh_HK.js index 4130c6c2b1f..97fc876af07 100644 --- a/settings/l10n/zh_HK.js +++ b/settings/l10n/zh_HK.js @@ -2,7 +2,6 @@ OC.L10N.register( "settings", { "Sharing" : "分享", - "Security" : "安全", "Email Server" : "電子郵件伺服器", "Log" : "日誌", "Wrong password" : "密碼錯誤", diff --git a/settings/l10n/zh_HK.json b/settings/l10n/zh_HK.json index bf05f9394a9..222a82d9684 100644 --- a/settings/l10n/zh_HK.json +++ b/settings/l10n/zh_HK.json @@ -1,6 +1,5 @@ { "translations": { "Sharing" : "分享", - "Security" : "安全", "Email Server" : "電子郵件伺服器", "Log" : "日誌", "Wrong password" : "密碼錯誤", diff --git a/settings/l10n/zh_TW.js b/settings/l10n/zh_TW.js index ef215fcce30..6f2b83a46d2 100644 --- a/settings/l10n/zh_TW.js +++ b/settings/l10n/zh_TW.js @@ -4,7 +4,6 @@ OC.L10N.register( "Security & Setup Warnings" : "安全及警告設定", "Cron" : "工作排程", "Sharing" : "分享", - "Security" : "安全性", "Email Server" : "郵件伺服器", "Log" : "紀錄", "Authentication error" : "認證錯誤", @@ -33,7 +32,6 @@ OC.L10N.register( "Group already exists." : "群組已存在", "Saved" : "已儲存", "test email settings" : "測試郵件設定", - "If you received this email, the settings seem to be correct." : "假如您收到這個郵件,此設定看起來是正確的。", "Email sent" : "Email 已寄出", "You need to set your user email before being able to send test emails." : "在準備要寄出測試郵件時您需要設定您的使用者郵件。", "Email saved" : "Email已儲存", diff --git a/settings/l10n/zh_TW.json b/settings/l10n/zh_TW.json index 43dbd4f6b63..f687085126e 100644 --- a/settings/l10n/zh_TW.json +++ b/settings/l10n/zh_TW.json @@ -2,7 +2,6 @@ "Security & Setup Warnings" : "安全及警告設定", "Cron" : "工作排程", "Sharing" : "分享", - "Security" : "安全性", "Email Server" : "郵件伺服器", "Log" : "紀錄", "Authentication error" : "認證錯誤", @@ -31,7 +30,6 @@ "Group already exists." : "群組已存在", "Saved" : "已儲存", "test email settings" : "測試郵件設定", - "If you received this email, the settings seem to be correct." : "假如您收到這個郵件,此設定看起來是正確的。", "Email sent" : "Email 已寄出", "You need to set your user email before being able to send test emails." : "在準備要寄出測試郵件時您需要設定您的使用者郵件。", "Email saved" : "Email已儲存", |