diff options
-rw-r--r-- | apps/comments/lib/Activity/Listener.php | 7 | ||||
-rw-r--r-- | apps/comments/lib/Activity/Provider.php | 41 | ||||
-rw-r--r-- | apps/theming/l10n/es.js | 4 | ||||
-rw-r--r-- | apps/theming/l10n/es.json | 4 | ||||
-rw-r--r-- | core/l10n/es.js | 4 | ||||
-rw-r--r-- | core/l10n/es.json | 4 | ||||
-rw-r--r-- | core/l10n/sr.js | 272 | ||||
-rw-r--r-- | core/l10n/sr.json | 270 | ||||
-rw-r--r-- | lib/l10n/hu.js | 1 | ||||
-rw-r--r-- | lib/l10n/hu.json | 1 | ||||
-rw-r--r-- | lib/private/Files/ObjectStore/Swift.php | 4 | ||||
-rw-r--r-- | settings/l10n/de.js | 5 | ||||
-rw-r--r-- | settings/l10n/de.json | 5 | ||||
-rw-r--r-- | settings/l10n/de_DE.js | 5 | ||||
-rw-r--r-- | settings/l10n/de_DE.json | 5 | ||||
-rw-r--r-- | settings/l10n/en_GB.js | 3 | ||||
-rw-r--r-- | settings/l10n/en_GB.json | 3 | ||||
-rw-r--r-- | settings/l10n/es.js | 17 | ||||
-rw-r--r-- | settings/l10n/es.json | 17 | ||||
-rw-r--r-- | settings/l10n/fr.js | 3 | ||||
-rw-r--r-- | settings/l10n/fr.json | 3 | ||||
-rw-r--r-- | settings/l10n/it.js | 3 | ||||
-rw-r--r-- | settings/l10n/it.json | 3 | ||||
-rw-r--r-- | settings/l10n/pl.js | 3 | ||||
-rw-r--r-- | settings/l10n/pl.json | 3 | ||||
-rw-r--r-- | settings/l10n/pt_BR.js | 3 | ||||
-rw-r--r-- | settings/l10n/pt_BR.json | 3 | ||||
-rw-r--r-- | settings/l10n/tr.js | 3 | ||||
-rw-r--r-- | settings/l10n/tr.json | 3 |
29 files changed, 661 insertions, 41 deletions
diff --git a/apps/comments/lib/Activity/Listener.php b/apps/comments/lib/Activity/Listener.php index 94176921f05..67f04c03b17 100644 --- a/apps/comments/lib/Activity/Listener.php +++ b/apps/comments/lib/Activity/Listener.php @@ -115,15 +115,16 @@ class Listener { ->setAuthor($actor) ->setObject($event->getComment()->getObjectType(), (int) $event->getComment()->getObjectId()) ->setMessage('add_comment_message', [ - $event->getComment()->getId(), + 'commentId' => $event->getComment()->getId(), ]); foreach ($users as $user => $path) { $activity->setAffectedUser($user); $activity->setSubject('add_comment_subject', [ - $actor, - $path, + 'actor' => $actor, + 'fileId' => (int) $event->getComment()->getObjectId(), + 'filePath' => trim($path, '/'), ]); $this->activityManager->publish($activity); } diff --git a/apps/comments/lib/Activity/Provider.php b/apps/comments/lib/Activity/Provider.php index ea4810f92ed..542785f2cf8 100644 --- a/apps/comments/lib/Activity/Provider.php +++ b/apps/comments/lib/Activity/Provider.php @@ -116,11 +116,11 @@ class Provider implements IProvider { $subjectParameters = $event->getSubjectParameters(); if ($event->getSubject() === 'add_comment_subject') { - if ($subjectParameters[0] === $this->activityManager->getCurrentUserId()) { + if ($subjectParameters['actor'] === $this->activityManager->getCurrentUserId()) { $event->setParsedSubject($this->l->t('You commented')) ->setRichSubject($this->l->t('You commented'), []); } else { - $author = $this->generateUserParameter($subjectParameters[0]); + $author = $this->generateUserParameter($subjectParameters['actor']); $event->setParsedSubject($this->l->t('%1$s commented', [$author['name']])) ->setRichSubject($this->l->t('{author} commented'), [ 'author' => $author, @@ -142,22 +142,22 @@ class Provider implements IProvider { $subjectParameters = $event->getSubjectParameters(); if ($event->getSubject() === 'add_comment_subject') { - if ($subjectParameters[0] === $this->activityManager->getCurrentUserId()) { + if ($subjectParameters['actor'] === $this->activityManager->getCurrentUserId()) { $event->setParsedSubject($this->l->t('You commented on %1$s', [ - trim($subjectParameters[1], '/'), + $subjectParameters['filePath'], ])) ->setRichSubject($this->l->t('You commented on {file}'), [ - 'file' => $this->generateFileParameter((int)$event->getObjectId(), $subjectParameters[1]), + 'file' => $this->generateFileParameter($subjectParameters['fileId'], $subjectParameters['filePath']), ]); } else { - $author = $this->generateUserParameter($subjectParameters[0]); + $author = $this->generateUserParameter($subjectParameters['actor']); $event->setParsedSubject($this->l->t('%1$s commented on %2$s', [ $author['name'], - trim($subjectParameters[1], '/'), + $subjectParameters['filePath'], ])) ->setRichSubject($this->l->t('{author} commented on {file}'), [ 'author' => $author, - 'file' => $this->generateFileParameter((int)$event->getObjectId(), $subjectParameters[1]), + 'file' => $this->generateFileParameter($subjectParameters['fileId'], $subjectParameters['filePath']), ]); } } else { @@ -167,13 +167,34 @@ class Provider implements IProvider { return $event; } + protected function getSubjectParameters(IEvent $event) { + $subjectParameters = $event->getSubjectParameters(); + if (isset($subjectParameters['fileId'])) { + return $subjectParameters; + } + + // Fix subjects from 12.0.3 and older + return [ + 'actor' => $subjectParameters[0], + 'fileId' => (int) $event->getObjectId(), + 'filePath' => trim($subjectParameters[1], '/'), + ]; + } + /** * @param IEvent $event */ protected function parseMessage(IEvent $event) { $messageParameters = $event->getMessageParameters(); + if (empty($messageParameters)) { + // Email + return; + } + + $commentId = isset($messageParameters['commentId']) ? $messageParameters['commentId'] : $messageParameters[0]; + try { - $comment = $this->commentsManager->get((string) $messageParameters[0]); + $comment = $this->commentsManager->get((string) $commentId); $message = $comment->getMessage(); $message = str_replace("\n", '<br />', str_replace(['<', '>'], ['<', '>'], $message)); @@ -210,7 +231,7 @@ class Provider implements IProvider { 'type' => 'file', 'id' => $id, 'name' => basename($path), - 'path' => trim($path, '/'), + 'path' => $path, 'link' => $this->url->linkToRouteAbsolute('files.viewcontroller.showFile', ['fileid' => $id]), ]; } diff --git a/apps/theming/l10n/es.js b/apps/theming/l10n/es.js index 755f1ebcaaa..dbcaed2cfe4 100644 --- a/apps/theming/l10n/es.js +++ b/apps/theming/l10n/es.js @@ -22,10 +22,10 @@ OC.L10N.register( "Color" : "Color", "Logo" : "Logo", "Upload new logo" : "Subir nuevo logo", - "Login image" : "Imagen de inicio", + "Login image" : "Fondo de Pantalla", "Upload new login background" : "Subir una nueva imagen de fondo", "Remove background image" : "Eliminar imagen de fondo", "reset to default" : "restaurar a configuración inicial", - "Log in image" : "Imagen de inicio" + "Log in image" : "Fondo de Pantalla" }, "nplurals=2; plural=(n != 1);"); diff --git a/apps/theming/l10n/es.json b/apps/theming/l10n/es.json index 500f521989c..0c183dc78e5 100644 --- a/apps/theming/l10n/es.json +++ b/apps/theming/l10n/es.json @@ -20,10 +20,10 @@ "Color" : "Color", "Logo" : "Logo", "Upload new logo" : "Subir nuevo logo", - "Login image" : "Imagen de inicio", + "Login image" : "Fondo de Pantalla", "Upload new login background" : "Subir una nueva imagen de fondo", "Remove background image" : "Eliminar imagen de fondo", "reset to default" : "restaurar a configuración inicial", - "Log in image" : "Imagen de inicio" + "Log in image" : "Fondo de Pantalla" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/core/l10n/es.js b/core/l10n/es.js index 5e13dc9b6b3..3976a3aad1b 100644 --- a/core/l10n/es.js +++ b/core/l10n/es.js @@ -8,7 +8,7 @@ OC.L10N.register( "Invalid file provided" : "Archivo no válido", "No image or file provided" : "No se especificó ningún archivo o imagen", "Unknown filetype" : "Tipo de archivo desconocido", - "Invalid image" : "Imagen inválida", + "Invalid image" : "La imagen no es válida", "An error occurred. Please contact your admin." : "Ha ocurrido un error. Póngase en contacto con su administrador.", "No temporary profile picture available, try again" : "No hay disponible una imagen temporal de perfil, pruebe de nuevo", "No crop data provided" : "No se proporcionó datos del recorte", @@ -76,7 +76,7 @@ OC.L10N.register( "Failed to authenticate, try again" : "Autenticación fallida, vuelva a intentarlo", "seconds ago" : "hace segundos", "Logging in …" : "Iniciando sesión ...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.<br>If it is not there ask your local administrator." : "Se ha enviado un enlace para restablecer su contraseña a su correo electrónico. Si usted no lo recibe en un tiempo razonable, revise su carpeta de spam/chatarra/basura.<br>Si no lo encuentra, consulte a su administrador local.", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.<br>If it is not there ask your local administrator." : "Se ha enviado un enlace para restablecer su contraseña a su correo electrónico. Si usted no lo recibe en un tiempo razonable, revise su carpeta de spam.<br>Si no lo encuentra, consulte a su administrador.", "Your files are encrypted. There will be no way to get your data back after your password is reset.<br />If you are not sure what to do, please contact your administrator before you continue. <br />Do you really want to continue?" : "Sus archivos han sido cifrados. No habrá forma de recuperar sus datos tras resetear la contraseña.<br /> Si no está seguro de qué hacer, contacte con su administrador antes de continuar. ¿Está seguro de qué quiere continuar?", "I know what I'm doing" : "Sé lo que estoy haciendo", "Password can not be changed. Please contact your administrator." : "La contraseña no se puede cambiar. Por favor, contacte a su administrador.", diff --git a/core/l10n/es.json b/core/l10n/es.json index 39b92e41075..57276760a7c 100644 --- a/core/l10n/es.json +++ b/core/l10n/es.json @@ -6,7 +6,7 @@ "Invalid file provided" : "Archivo no válido", "No image or file provided" : "No se especificó ningún archivo o imagen", "Unknown filetype" : "Tipo de archivo desconocido", - "Invalid image" : "Imagen inválida", + "Invalid image" : "La imagen no es válida", "An error occurred. Please contact your admin." : "Ha ocurrido un error. Póngase en contacto con su administrador.", "No temporary profile picture available, try again" : "No hay disponible una imagen temporal de perfil, pruebe de nuevo", "No crop data provided" : "No se proporcionó datos del recorte", @@ -74,7 +74,7 @@ "Failed to authenticate, try again" : "Autenticación fallida, vuelva a intentarlo", "seconds ago" : "hace segundos", "Logging in …" : "Iniciando sesión ...", - "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.<br>If it is not there ask your local administrator." : "Se ha enviado un enlace para restablecer su contraseña a su correo electrónico. Si usted no lo recibe en un tiempo razonable, revise su carpeta de spam/chatarra/basura.<br>Si no lo encuentra, consulte a su administrador local.", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.<br>If it is not there ask your local administrator." : "Se ha enviado un enlace para restablecer su contraseña a su correo electrónico. Si usted no lo recibe en un tiempo razonable, revise su carpeta de spam.<br>Si no lo encuentra, consulte a su administrador.", "Your files are encrypted. There will be no way to get your data back after your password is reset.<br />If you are not sure what to do, please contact your administrator before you continue. <br />Do you really want to continue?" : "Sus archivos han sido cifrados. No habrá forma de recuperar sus datos tras resetear la contraseña.<br /> Si no está seguro de qué hacer, contacte con su administrador antes de continuar. ¿Está seguro de qué quiere continuar?", "I know what I'm doing" : "Sé lo que estoy haciendo", "Password can not be changed. Please contact your administrator." : "La contraseña no se puede cambiar. Por favor, contacte a su administrador.", diff --git a/core/l10n/sr.js b/core/l10n/sr.js new file mode 100644 index 00000000000..0d7ff410144 --- /dev/null +++ b/core/l10n/sr.js @@ -0,0 +1,272 @@ +OC.L10N.register( + "core", + { + "Please select a file." : "Изаберите датотеку.", + "File is too big" : "Датотека је превелика", + "The selected file is not an image." : "Изабрана датотека није слика.", + "The selected file cannot be read." : "Немогуће је прочитати изабрану датотеку.", + "Invalid file provided" : "Понуђена датотека није исправна", + "No image or file provided" : "Није дата ни слика ни датотека", + "Unknown filetype" : "Непознат тип датотеке", + "Invalid image" : "Неисправна слика", + "An error occurred. Please contact your admin." : "Дошло је до грешке. Молимо вас контактирајте администратора.", + "No temporary profile picture available, try again" : "Нема привремене слике профила. Покушајте поново", + "No crop data provided" : "Нема података о опсецању", + "No valid crop data provided" : "Нема исправних података о опсецању", + "Crop is not square" : "Опсецање није квадратног облика", + "State token does not match" : "Стање токена се не слаже", + "Password reset is disabled" : "Враћање лозинке није омогућено", + "Couldn't reset password because the token is invalid" : "Није могућ повраћај лозинке јер je токен неважећи", + "Couldn't reset password because the token is expired" : "Немогућ повраћај лозинке јер је токен истекао", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Немогуће је послати е-пошту за повраћај лозинке јер није подешена адреса е-поште за овог корисника. Контактирајте администратора.", + "Password reset" : "Повраћај лозинке", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Кликните следеће дугме за повраћај лозинке. Ако нисте тражили повраћај лозинке, игноришите ову поруку.", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Кликните следећу везу за повраћај лозинке. Ако нисте тражили повраћај лозинке, игноришите ову поруку.", + "Reset your password" : "Поврати лозинку", + "%s password reset" : "%s лозинка враћена", + "Couldn't send reset email. Please contact your administrator." : "Не могу да пошаљем е-пошту за повраћај лозинке. Контактирајте администратора.", + "Couldn't send reset email. Please make sure your username is correct." : "Не могу да пошаљем поруку за повраћај лозинке. Проверите да ли је корисничко име исправно.", + "Preparing update" : "Припремам надоградњу", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "Упозорење о поправци :", + "Repair error: " : "Грешка поправке:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Молимо вас да надоградњу урадите преко командне линије јер је аутоматско надоградња онемогућена у config.php.", + "[%d / %d]: Checking table %s" : "[%d / %d]: Проверавање табеле %s", + "Turned on maintenance mode" : "Режим одржавања укључен", + "Turned off maintenance mode" : "Режим одржавања искључен", + "Maintenance mode is kept active" : "Режим одржавања се држи активним", + "Updating database schema" : "Освежава се шема базе података", + "Updated database" : "База података ажурирана", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Провера да ли шема базе података може да се ажурира (ово може потрајати, у зависности колика Вам је база)", + "Checked database schema update" : "Проверено ажурирање шеме базе података", + "Checking updates of apps" : "Провера надоградњи за апликације", + "Checking for update of app \"%s\" in appstore" : "Провера надоградње за апликацију \"%s\" у продавници", + "Update app \"%s\" from appstore" : "Надоградња апликације \"%s\" из продавнице", + "Checked for update of app \"%s\" in appstore" : "Проверана надоградња апликације \"%s\" у продавници", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Провера да ли шема база за %s може бити ажурирана (ово може да потраје, у зависности колико Вам је база)", + "Checked database schema update for apps" : "Проверено ажурирање шеме базе података за апликације", + "Updated \"%s\" to %s" : "„%s“ ажуриран на %s", + "Set log level to debug" : "Постави ниво уписа у дневник на дебаговање", + "Reset log level" : "Поништи ниво уписа у дневник", + "Starting code integrity check" : "Почиње провера интегритета кода", + "Finished code integrity check" : "Завршена провера интегритета кода", + "%s (3rdparty)" : "%s (од 3. лица)", + "%s (incompatible)" : "%s (некомпатибилан)", + "Following apps have been disabled: %s" : "Следеће апликације су онемогућене: %s", + "Already up to date" : "Већ има последњу верзију", + "Search contacts …" : "Претражи контакте ...", + "No contacts found" : "Контакти нису нађени", + "Show all contacts …" : "Прикажи све контакте ...", + "There was an error loading your contacts" : "Догодила се грешка приликом учитавања Ваших контаката", + "Loading your contacts …" : "Учитавам Ваше контакте ...", + "Looking for {term} …" : "Тражење {term} …", + "<a href=\"{docUrl}\">There were problems with the code integrity check. More information…</a>" : "<a href=\"{docUrl}\">Догодила се грешка приликом провере интегритета кода. Више информација...</a>", + "No action available" : "Нема доступних радњи", + "Error fetching contact actions" : "Грешка приликом дохватања акција над контактима", + "Settings" : "Поставке", + "Connection to server lost" : "Изгубљена је веза са сервером", + "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Грешка приликом учитавања стране, пробам поново за %n секунду","Грешка приликом учитавања стране, пробам поново за %n секунде","Грешка приликом учитавања стране, пробам поново за %n секунди"], + "Saving..." : "Чувам...", + "Dismiss" : "Откажи", + "This action requires you to confirm your password" : "Ова радња захтева да потврдите лозинку", + "Authentication required" : "Неопходна провера идентитета", + "Password" : "Лозинка", + "Cancel" : "Одустани", + "Confirm" : "Потврди", + "Failed to authenticate, try again" : "Неуспешна провера идентитета, покушајте поново", + "seconds ago" : "пре пар секунди", + "Logging in …" : "Пријављивање ...", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.<br>If it is not there ask your local administrator." : "Веза за повраћај лозинке је послата на вашу е-пошту. Ако је не примите ускоро, проверите фасцикле за нежељену пошту.<br>Ако није ни тамо, контактирајте вашег администратора.", + "Your files are encrypted. There will be no way to get your data back after your password is reset.<br />If you are not sure what to do, please contact your administrator before you continue. <br />Do you really want to continue?" : "Ваше датотеке су шифроване. Не постоји ниједан начин да се Ваши подаци поврате ако се лозинка сад поништи.<br /> Уколико нисте сигурни шта да радите, контактирајте Вашег администратора пре него што наставите.<br /> Да ли стварно желите да наставите?", + "I know what I'm doing" : "Знам шта радим", + "Password can not be changed. Please contact your administrator." : "Лозинка се не може променити. Контактирајте администратора.", + "No" : "Не", + "Yes" : "Да", + "No files in here" : "Овде нема датотека", + "Choose" : "Изаберите", + "Error loading file picker template: {error}" : "Грешка при учитавању шаблона бирача фајлова: {error}", + "OK" : "ОК", + "Error loading message template: {error}" : "Грешка при учитавању шаблона поруке: {error}", + "read-only" : "само-за-читање", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} сукоб датотека","{count} сукоба датотека","{count} сукоба датотека"], + "One file conflict" : "Један сукоб датотека", + "New Files" : "Нове датотеке", + "Already existing files" : "Постојеће датотеке", + "Which files do you want to keep?" : "Које датотеке желите да задржите?", + "If you select both versions, the copied file will have a number added to its name." : "Ако изаберете обе верзије, копираној датотеци ће бити додат број у назив.", + "Continue" : "Настави", + "(all selected)" : "(све изабрано)", + "({count} selected)" : "(изабраних: {count})", + "Error loading file exists template" : "Грешка при учитавању шаблона „Датотека постоји“", + "Pending" : "На чекању", + "Very weak password" : "Веома слаба лозинка", + "Weak password" : "Слаба лозинка", + "So-so password" : "Осредња лозинка", + "Good password" : "Добра лозинка", + "Strong password" : "Јака лозинка", + "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Ваш сервер није правилно подешен да омогући синхронизацију датотека. Изгледа да је ВебДАВ сучеље покварено.", + "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our <a target=\"_blank\" rel=\"noreferrer\" href=\"{docLink}\">documentation</a>." : "Ваш сервер није правилно подешен да разлучи \"{url}\". Можете наћи више информација у нашој <a target=\"_blank\" rel=\"noreferrer\" href=\"{docLink}\">документацији</a>.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our <a target=\"_blank\" rel=\"noreferrer\" href=\"{docLink}\">documentation</a>." : "PHP не може да чита /dev/urandom. Ово се баш не препоручује из сигурносних разлога. Можете наћи више информација у нашој <a target=\"_blank\" rel=\"noreferrer\" href=\"{docLink}\">документацији</a>.", + "Error occurred while checking server setup" : "Дошло је до грешке при провери поставки сервера", + "The \"{header}\" HTTP header is not configured to equal to \"{expected}\". This is a potential security or privacy risk and we recommend adjusting this setting." : "HTTP заглавље „{header}“ није подешено као „{expected}“. Ово потенцијално угрожава безбедност и приватност и препоручујемо да подесите ову поставку.", + "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our <a href=\"{docUrl}\">security tips</a>." : "Приступате овом сајту преко HTTP-а. Препоручујемо да подесите Ваш сервер да захтева HTTPS као што је описано у нашим <a href=\"{docUrl}\">безбедоносним саветима</a>.", + "Shared" : "Дељено", + "Shared with {recipients}" : "Дељено са {recipients}", + "Error setting expiration date" : "Грешка при постављању датума истека", + "The public link will expire no later than {days} days after it is created" : "Јавна веза ће престати да важи {days} дана након стварања", + "Set expiration date" : "Постави датум истека", + "Expiration" : "Истиче", + "Expiration date" : "Датум истека", + "Choose a password for the public link" : "Унесите лозинку за јавну везу", + "Choose a password for the public link or press the \"Enter\" key" : "Унесите лозинку за јавну везу или притисните \"Ентер\"", + "Copied!" : "Копирано!", + "Copy" : "Копирај", + "Not supported!" : "Није подржано!", + "Press ⌘-C to copy." : "Притисни ⌘-C за копирање.", + "Press Ctrl-C to copy." : "Притисни Ctrl-C за копирање.", + "Resharing is not allowed" : "Поновно дељење није дозвољено", + "Share to {name}" : "Подели са {name}", + "Share link" : "Веза дељења", + "Link" : "Веза", + "Password protect" : "Заштићено лозинком", + "Allow editing" : "Дозволи уређивање", + "Email link to person" : "Пошаљи е-поштом", + "Send" : "Пошаљи", + "Allow upload and editing" : "Дозволи отпремање и уређивање", + "Read only" : "Само за читање", + "File drop (upload only)" : "Превлачење датотека (само за отпремање)", + "Shared with you and the group {group} by {owner}" : "{owner} дели са вама и са групом {group}.", + "Shared with you by {owner}" : "{owner} дели са вама", + "Choose a password for the mail share" : "Изаберите лозинку за дељење е-поштом", + "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} је поделио преко везе", + "group" : "група", + "remote" : "удаљени", + "email" : "е-пошта", + "shared by {sharer}" : "поделио је {sharer}", + "Unshare" : "Укини дељење", + "Can reshare" : "Може да дели даље", + "Can edit" : "Може да мења", + "Can create" : "Може да направи", + "Can change" : "Може да мења", + "Can delete" : "Може да брише", + "Access control" : "Контрола приступа", + "Could not unshare" : "Не могу да укинем дељење", + "Error while sharing" : "Грешка при дељењу", + "Share details could not be loaded for this item." : "Не могу да учитам детаље дељења за ову ставку.", + "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["Најмање {count} слово је потребно за аутокомплетирање","Најмање {count} слова је потребно за аутокомплетирање","Најмање {count} слова је потребно за аутокомплетирање"], + "An error occurred. Please try again" : "Дошло је до грешке. Покушајте поново", + "Share" : "Дели", + "Error" : "Грешка", + "Non-existing tag #{tag}" : "Непостојећа ознака #{tag}", + "restricted" : "ограничен", + "invisible" : "невидљив", + "Delete" : "Обриши", + "Rename" : "Преименуј", + "No tags found" : "Ознаке нису нађене", + "unknown text" : "непознат текст", + "Hello world!" : "Здраво свете!", + "sunny" : "сунчано", + "Hello {name}, the weather is {weather}" : "Здраво {name}, време је {weather}", + "Hello {name}" : "Здраво {name}", + "new" : "ново", + "_download %n file_::_download %n files_" : ["преузми %n датотеку","преузми %n датотеке","преузми %n датотека"], + "Update to {version}" : "Ажурирај на {version}", + "An error occurred." : "Дошло је до грешке.", + "Please reload the page." : "Поново учитајте страницу.", + "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["Надоградња је била успешна. Враћам Вас на Некстклауд за %n секунду.","Надоградња је била успешна. Враћам Вас на Некстклауд за %n секунде.","Надоградња је била успешна. Враћам Вас на Некстклауд за %n секунди."], + "Searching other places" : "Претражујем остала места", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} резултат претраге у осталим фасциклама","{count} резултата претраге у осталим фасциклама","{count} резултата претраге у осталим фасциклама"], + "Personal" : "Лично", + "Users" : "Корисници", + "Apps" : "Апликације", + "Admin" : "Администрација", + "Help" : "Помоћ", + "Access forbidden" : "Забрањен приступ", + "File not found" : "Фајл није нађен", + "The specified document has not been found on the server." : "Наведени документ није нађен на серверу.", + "You can click here to return to %s." : "Кликните овде да се вратите на %s.", + "Internal Server Error" : "Унутрашња грешка сервера", + "More details can be found in the server log." : "Више детаља се може наћи у дневнику сервера.", + "Technical details" : "Технички детаљи", + "Remote Address: %s" : "Удаљена адреса: %s", + "Request ID: %s" : "ИД захтева: %s", + "Type: %s" : "Тип: %s", + "Code: %s" : "Кôд: %s", + "Message: %s" : "Порука: %s", + "File: %s" : "Фајл: %s", + "Line: %s" : "Линија: %s", + "Trace" : "Траг", + "Security warning" : "Безбедносно упозорење", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Ваш директоријум са подацима и фајлови су вероватно доступни са интернета јер .htaccess не ради.", + "Create an <strong>admin account</strong>" : "Направи <strong>административни налог</strong>", + "Username" : "Корисничко име", + "Storage & database" : "Складиште и база података", + "Data folder" : "Фацикла података", + "Configure the database" : "Подешавање базе", + "Only %s is available." : "Само %s је доступна.", + "Install and activate additional PHP modules to choose other database types." : "Инсталирајте и активирајте додатне ПХП модуле за избор других врста база података.", + "For more details check out the documentation." : "За више детаља погледајте документацију.", + "Database user" : "Корисник базе", + "Database password" : "Лозинка базе", + "Database name" : "Назив базе", + "Database tablespace" : "Радни простор базе података", + "Database host" : "Домаћин базе", + "Performance warning" : "Упозорење о перформансама", + "SQLite will be used as database." : "СКуЛајт ће бити коришћен за базу података.", + "For larger installations we recommend to choose a different database backend." : "За веће инсталације препоручујемо да изаберете другу позадину базе података.", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "Нарочито ако се користи клијент програм у графичком окружењу, коришћење СКуЛајта није препоручљиво.", + "Finish setup" : "Заврши подешавање", + "Finishing …" : "Завршавам…", + "Need help?" : "Треба вам помоћ?", + "See the documentation" : "Погледајте документацију", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Ова апликација захтева Јава скрипт за исправан рад. {linkstart}Омогућите Јава скрипт{linkend} и поново учитајте страницу.", + "More apps" : "Још апликација", + "Search" : "Претражи", + "This action requires you to confirm your password:" : "Ова радња захтева да потврдите лозинку", + "Confirm your password" : "Потврди лозинку", + "Server side authentication failed!" : "Аутентификација на серверу није успела!", + "Please contact your administrator." : "Контактирајте вашег администратора.", + "Please try again or contact your administrator." : "Покушајте поново или контактирајте вашег администратора.", + "Wrong password." : "Погрешна лозинка", + "Log in" : "Пријава", + "Alternative Logins" : "Алтернативне пријаве", + "Redirecting …" : "Преусмеравање...", + "New password" : "Нова лозинка", + "New Password" : "Нова лозинка", + "Reset password" : "Ресетуј лозинку", + "Add \"%s\" as trusted domain" : "Додај „%s“ као поуздан домен", + "The theme %s has been disabled." : "Тема %s је онемогућена.", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Проверите да ли сте направили резервну копију фасцикли са подешавањима и подацима пре него што наставите.", + "Start update" : "Почни надоградњу", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Да избегнете прекорачење времена одзива на већим инсталацијама, можете покренути следећу команду у инсталационом директоријуму:", + "Update needed" : "Потребно је ажурирање", + "This %s instance is currently in maintenance mode, which may take a while." : "Овај %s је тренутно у режиму одржавања а то може потрајати.", + "This page will refresh itself when the %s instance is available again." : "Ова страница ће се сама освежити када %s постане поново доступан.", + "Contact your system administrator if this message persists or appeared unexpectedly." : "Контактирајте администратора ако се порука понавља или се неочекивано појавила.", + "Thank you for your patience." : "Хвала вам на стрпљењу.", + "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.<br />If you are not sure what to do, please contact your administrator before you continue. <br />Do you really want to continue?" : "Фајлови су вам шифровани. Ако нисте укључили кључ за опоравак, нећете моћи да повратите податке након ресетовања лозинке.<br />Ако нисте сигурни шта да радите, контактирајте администратора пре него што наставите.<br />Да ли желите да наставите?", + "Ok" : "У реду", + "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ваш директоријум са подацима и ваши фајлови су вероватно доступни са интернета. Фајл .htaccess не ради. Предлажемо да подесите ваш веб сервер на начин да директоријум са подацима не буде доступан или га изместите изван кореног директоријума веб сервера.", + "Error while unsharing" : "Грешка при укидању дељења", + "can edit" : "може да мења", + "access control" : "права приступа", + "The object type is not specified." : "Тип објекта није наведен.", + "Enter new" : "Унесите нови", + "Add" : "Додај", + "Edit tags" : "Уреди ознаке", + "Error loading dialog template: {error}" : "Грешка при учитавању шаблона дијалога: {error}", + "No tags selected for deletion." : "Нема ознака за брисање.", + "The update was successful. Redirecting you to Nextcloud now." : "Ажурирање је успело. Преусмеравање на Некстклауд. ", + "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Поздрав,\n\nсамо вас обавештавам да %s дели %s са вама.\nПогледајте: %s\n\n", + "The share will expire on %s." : "Дељење истиче %s.", + "Cheers!" : "Здраво!", + "The server encountered an internal error and was unable to complete your request." : "Због интерне грешке на серверу, ваш захтев није могао бити довршен.", + "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Контактирајте администратора ако се грешка понови и укључите у извештај техничке појединости наведене испод.", + "Log out" : "Одјава", + "Use the following link to reset your password: {link}" : "Употребите следећу везу да ресетујете своју лозинку: {link}", + "Hey there,<br><br>just letting you know that %s shared <strong>%s</strong> with you.<br><a href=\"%s\">View it!</a><br><br>" : "Поздрав,<br><br>само вас обавештавам да %s дели <strong>%s</strong> са вама.<br><a href=\"%s\">Погледајте!</a><br><br>", + "This means only administrators can use the instance." : "То значи да га могу користити само администратори.", + "You are accessing the server from an untrusted domain." : "Приступате серверу са непоузданог домена.", + "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Зависно од ваших подешавања, као администратор можете употребити дугме испод да потврдите поузданост домена." +}, +"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"); diff --git a/core/l10n/sr.json b/core/l10n/sr.json new file mode 100644 index 00000000000..a645f3db896 --- /dev/null +++ b/core/l10n/sr.json @@ -0,0 +1,270 @@ +{ "translations": { + "Please select a file." : "Изаберите датотеку.", + "File is too big" : "Датотека је превелика", + "The selected file is not an image." : "Изабрана датотека није слика.", + "The selected file cannot be read." : "Немогуће је прочитати изабрану датотеку.", + "Invalid file provided" : "Понуђена датотека није исправна", + "No image or file provided" : "Није дата ни слика ни датотека", + "Unknown filetype" : "Непознат тип датотеке", + "Invalid image" : "Неисправна слика", + "An error occurred. Please contact your admin." : "Дошло је до грешке. Молимо вас контактирајте администратора.", + "No temporary profile picture available, try again" : "Нема привремене слике профила. Покушајте поново", + "No crop data provided" : "Нема података о опсецању", + "No valid crop data provided" : "Нема исправних података о опсецању", + "Crop is not square" : "Опсецање није квадратног облика", + "State token does not match" : "Стање токена се не слаже", + "Password reset is disabled" : "Враћање лозинке није омогућено", + "Couldn't reset password because the token is invalid" : "Није могућ повраћај лозинке јер je токен неважећи", + "Couldn't reset password because the token is expired" : "Немогућ повраћај лозинке јер је токен истекао", + "Could not send reset email because there is no email address for this username. Please contact your administrator." : "Немогуће је послати е-пошту за повраћај лозинке јер није подешена адреса е-поште за овог корисника. Контактирајте администратора.", + "Password reset" : "Повраћај лозинке", + "Click the following button to reset your password. If you have not requested the password reset, then ignore this email." : "Кликните следеће дугме за повраћај лозинке. Ако нисте тражили повраћај лозинке, игноришите ову поруку.", + "Click the following link to reset your password. If you have not requested the password reset, then ignore this email." : "Кликните следећу везу за повраћај лозинке. Ако нисте тражили повраћај лозинке, игноришите ову поруку.", + "Reset your password" : "Поврати лозинку", + "%s password reset" : "%s лозинка враћена", + "Couldn't send reset email. Please contact your administrator." : "Не могу да пошаљем е-пошту за повраћај лозинке. Контактирајте администратора.", + "Couldn't send reset email. Please make sure your username is correct." : "Не могу да пошаљем поруку за повраћај лозинке. Проверите да ли је корисничко име исправно.", + "Preparing update" : "Припремам надоградњу", + "[%d / %d]: %s" : "[%d / %d]: %s", + "Repair warning: " : "Упозорење о поправци :", + "Repair error: " : "Грешка поправке:", + "Please use the command line updater because automatic updating is disabled in the config.php." : "Молимо вас да надоградњу урадите преко командне линије јер је аутоматско надоградња онемогућена у config.php.", + "[%d / %d]: Checking table %s" : "[%d / %d]: Проверавање табеле %s", + "Turned on maintenance mode" : "Режим одржавања укључен", + "Turned off maintenance mode" : "Режим одржавања искључен", + "Maintenance mode is kept active" : "Режим одржавања се држи активним", + "Updating database schema" : "Освежава се шема базе података", + "Updated database" : "База података ажурирана", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Провера да ли шема базе података може да се ажурира (ово може потрајати, у зависности колика Вам је база)", + "Checked database schema update" : "Проверено ажурирање шеме базе података", + "Checking updates of apps" : "Провера надоградњи за апликације", + "Checking for update of app \"%s\" in appstore" : "Провера надоградње за апликацију \"%s\" у продавници", + "Update app \"%s\" from appstore" : "Надоградња апликације \"%s\" из продавнице", + "Checked for update of app \"%s\" in appstore" : "Проверана надоградња апликације \"%s\" у продавници", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Провера да ли шема база за %s може бити ажурирана (ово може да потраје, у зависности колико Вам је база)", + "Checked database schema update for apps" : "Проверено ажурирање шеме базе података за апликације", + "Updated \"%s\" to %s" : "„%s“ ажуриран на %s", + "Set log level to debug" : "Постави ниво уписа у дневник на дебаговање", + "Reset log level" : "Поништи ниво уписа у дневник", + "Starting code integrity check" : "Почиње провера интегритета кода", + "Finished code integrity check" : "Завршена провера интегритета кода", + "%s (3rdparty)" : "%s (од 3. лица)", + "%s (incompatible)" : "%s (некомпатибилан)", + "Following apps have been disabled: %s" : "Следеће апликације су онемогућене: %s", + "Already up to date" : "Већ има последњу верзију", + "Search contacts …" : "Претражи контакте ...", + "No contacts found" : "Контакти нису нађени", + "Show all contacts …" : "Прикажи све контакте ...", + "There was an error loading your contacts" : "Догодила се грешка приликом учитавања Ваших контаката", + "Loading your contacts …" : "Учитавам Ваше контакте ...", + "Looking for {term} …" : "Тражење {term} …", + "<a href=\"{docUrl}\">There were problems with the code integrity check. More information…</a>" : "<a href=\"{docUrl}\">Догодила се грешка приликом провере интегритета кода. Више информација...</a>", + "No action available" : "Нема доступних радњи", + "Error fetching contact actions" : "Грешка приликом дохватања акција над контактима", + "Settings" : "Поставке", + "Connection to server lost" : "Изгубљена је веза са сервером", + "_Problem loading page, reloading in %n second_::_Problem loading page, reloading in %n seconds_" : ["Грешка приликом учитавања стране, пробам поново за %n секунду","Грешка приликом учитавања стране, пробам поново за %n секунде","Грешка приликом учитавања стране, пробам поново за %n секунди"], + "Saving..." : "Чувам...", + "Dismiss" : "Откажи", + "This action requires you to confirm your password" : "Ова радња захтева да потврдите лозинку", + "Authentication required" : "Неопходна провера идентитета", + "Password" : "Лозинка", + "Cancel" : "Одустани", + "Confirm" : "Потврди", + "Failed to authenticate, try again" : "Неуспешна провера идентитета, покушајте поново", + "seconds ago" : "пре пар секунди", + "Logging in …" : "Пријављивање ...", + "The link to reset your password has been sent to your email. If you do not receive it within a reasonable amount of time, check your spam/junk folders.<br>If it is not there ask your local administrator." : "Веза за повраћај лозинке је послата на вашу е-пошту. Ако је не примите ускоро, проверите фасцикле за нежељену пошту.<br>Ако није ни тамо, контактирајте вашег администратора.", + "Your files are encrypted. There will be no way to get your data back after your password is reset.<br />If you are not sure what to do, please contact your administrator before you continue. <br />Do you really want to continue?" : "Ваше датотеке су шифроване. Не постоји ниједан начин да се Ваши подаци поврате ако се лозинка сад поништи.<br /> Уколико нисте сигурни шта да радите, контактирајте Вашег администратора пре него што наставите.<br /> Да ли стварно желите да наставите?", + "I know what I'm doing" : "Знам шта радим", + "Password can not be changed. Please contact your administrator." : "Лозинка се не може променити. Контактирајте администратора.", + "No" : "Не", + "Yes" : "Да", + "No files in here" : "Овде нема датотека", + "Choose" : "Изаберите", + "Error loading file picker template: {error}" : "Грешка при учитавању шаблона бирача фајлова: {error}", + "OK" : "ОК", + "Error loading message template: {error}" : "Грешка при учитавању шаблона поруке: {error}", + "read-only" : "само-за-читање", + "_{count} file conflict_::_{count} file conflicts_" : ["{count} сукоб датотека","{count} сукоба датотека","{count} сукоба датотека"], + "One file conflict" : "Један сукоб датотека", + "New Files" : "Нове датотеке", + "Already existing files" : "Постојеће датотеке", + "Which files do you want to keep?" : "Које датотеке желите да задржите?", + "If you select both versions, the copied file will have a number added to its name." : "Ако изаберете обе верзије, копираној датотеци ће бити додат број у назив.", + "Continue" : "Настави", + "(all selected)" : "(све изабрано)", + "({count} selected)" : "(изабраних: {count})", + "Error loading file exists template" : "Грешка при учитавању шаблона „Датотека постоји“", + "Pending" : "На чекању", + "Very weak password" : "Веома слаба лозинка", + "Weak password" : "Слаба лозинка", + "So-so password" : "Осредња лозинка", + "Good password" : "Добра лозинка", + "Strong password" : "Јака лозинка", + "Your web server is not yet set up properly to allow file synchronization because the WebDAV interface seems to be broken." : "Ваш сервер није правилно подешен да омогући синхронизацију датотека. Изгледа да је ВебДАВ сучеље покварено.", + "Your web server is not set up properly to resolve \"{url}\". Further information can be found in our <a target=\"_blank\" rel=\"noreferrer\" href=\"{docLink}\">documentation</a>." : "Ваш сервер није правилно подешен да разлучи \"{url}\". Можете наћи више информација у нашој <a target=\"_blank\" rel=\"noreferrer\" href=\"{docLink}\">документацији</a>.", + "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our <a target=\"_blank\" rel=\"noreferrer\" href=\"{docLink}\">documentation</a>." : "PHP не може да чита /dev/urandom. Ово се баш не препоручује из сигурносних разлога. Можете наћи више информација у нашој <a target=\"_blank\" rel=\"noreferrer\" href=\"{docLink}\">документацији</a>.", + "Error occurred while checking server setup" : "Дошло је до грешке при провери поставки сервера", + "The \"{header}\" HTTP header is not configured to equal to \"{expected}\". This is a potential security or privacy risk and we recommend adjusting this setting." : "HTTP заглавље „{header}“ није подешено као „{expected}“. Ово потенцијално угрожава безбедност и приватност и препоручујемо да подесите ову поставку.", + "You are accessing this site via HTTP. We strongly suggest you configure your server to require using HTTPS instead as described in our <a href=\"{docUrl}\">security tips</a>." : "Приступате овом сајту преко HTTP-а. Препоручујемо да подесите Ваш сервер да захтева HTTPS као што је описано у нашим <a href=\"{docUrl}\">безбедоносним саветима</a>.", + "Shared" : "Дељено", + "Shared with {recipients}" : "Дељено са {recipients}", + "Error setting expiration date" : "Грешка при постављању датума истека", + "The public link will expire no later than {days} days after it is created" : "Јавна веза ће престати да важи {days} дана након стварања", + "Set expiration date" : "Постави датум истека", + "Expiration" : "Истиче", + "Expiration date" : "Датум истека", + "Choose a password for the public link" : "Унесите лозинку за јавну везу", + "Choose a password for the public link or press the \"Enter\" key" : "Унесите лозинку за јавну везу или притисните \"Ентер\"", + "Copied!" : "Копирано!", + "Copy" : "Копирај", + "Not supported!" : "Није подржано!", + "Press ⌘-C to copy." : "Притисни ⌘-C за копирање.", + "Press Ctrl-C to copy." : "Притисни Ctrl-C за копирање.", + "Resharing is not allowed" : "Поновно дељење није дозвољено", + "Share to {name}" : "Подели са {name}", + "Share link" : "Веза дељења", + "Link" : "Веза", + "Password protect" : "Заштићено лозинком", + "Allow editing" : "Дозволи уређивање", + "Email link to person" : "Пошаљи е-поштом", + "Send" : "Пошаљи", + "Allow upload and editing" : "Дозволи отпремање и уређивање", + "Read only" : "Само за читање", + "File drop (upload only)" : "Превлачење датотека (само за отпремање)", + "Shared with you and the group {group} by {owner}" : "{owner} дели са вама и са групом {group}.", + "Shared with you by {owner}" : "{owner} дели са вама", + "Choose a password for the mail share" : "Изаберите лозинку за дељење е-поштом", + "{{shareInitiatorDisplayName}} shared via link" : "{{shareInitiatorDisplayName}} је поделио преко везе", + "group" : "група", + "remote" : "удаљени", + "email" : "е-пошта", + "shared by {sharer}" : "поделио је {sharer}", + "Unshare" : "Укини дељење", + "Can reshare" : "Може да дели даље", + "Can edit" : "Може да мења", + "Can create" : "Може да направи", + "Can change" : "Може да мења", + "Can delete" : "Може да брише", + "Access control" : "Контрола приступа", + "Could not unshare" : "Не могу да укинем дељење", + "Error while sharing" : "Грешка при дељењу", + "Share details could not be loaded for this item." : "Не могу да учитам детаље дељења за ову ставку.", + "_At least {count} character is needed for autocompletion_::_At least {count} characters are needed for autocompletion_" : ["Најмање {count} слово је потребно за аутокомплетирање","Најмање {count} слова је потребно за аутокомплетирање","Најмање {count} слова је потребно за аутокомплетирање"], + "An error occurred. Please try again" : "Дошло је до грешке. Покушајте поново", + "Share" : "Дели", + "Error" : "Грешка", + "Non-existing tag #{tag}" : "Непостојећа ознака #{tag}", + "restricted" : "ограничен", + "invisible" : "невидљив", + "Delete" : "Обриши", + "Rename" : "Преименуј", + "No tags found" : "Ознаке нису нађене", + "unknown text" : "непознат текст", + "Hello world!" : "Здраво свете!", + "sunny" : "сунчано", + "Hello {name}, the weather is {weather}" : "Здраво {name}, време је {weather}", + "Hello {name}" : "Здраво {name}", + "new" : "ново", + "_download %n file_::_download %n files_" : ["преузми %n датотеку","преузми %n датотеке","преузми %n датотека"], + "Update to {version}" : "Ажурирај на {version}", + "An error occurred." : "Дошло је до грешке.", + "Please reload the page." : "Поново учитајте страницу.", + "_The update was successful. Redirecting you to Nextcloud in %n second._::_The update was successful. Redirecting you to Nextcloud in %n seconds._" : ["Надоградња је била успешна. Враћам Вас на Некстклауд за %n секунду.","Надоградња је била успешна. Враћам Вас на Некстклауд за %n секунде.","Надоградња је била успешна. Враћам Вас на Некстклауд за %n секунди."], + "Searching other places" : "Претражујем остала места", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["{count} резултат претраге у осталим фасциклама","{count} резултата претраге у осталим фасциклама","{count} резултата претраге у осталим фасциклама"], + "Personal" : "Лично", + "Users" : "Корисници", + "Apps" : "Апликације", + "Admin" : "Администрација", + "Help" : "Помоћ", + "Access forbidden" : "Забрањен приступ", + "File not found" : "Фајл није нађен", + "The specified document has not been found on the server." : "Наведени документ није нађен на серверу.", + "You can click here to return to %s." : "Кликните овде да се вратите на %s.", + "Internal Server Error" : "Унутрашња грешка сервера", + "More details can be found in the server log." : "Више детаља се може наћи у дневнику сервера.", + "Technical details" : "Технички детаљи", + "Remote Address: %s" : "Удаљена адреса: %s", + "Request ID: %s" : "ИД захтева: %s", + "Type: %s" : "Тип: %s", + "Code: %s" : "Кôд: %s", + "Message: %s" : "Порука: %s", + "File: %s" : "Фајл: %s", + "Line: %s" : "Линија: %s", + "Trace" : "Траг", + "Security warning" : "Безбедносно упозорење", + "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "Ваш директоријум са подацима и фајлови су вероватно доступни са интернета јер .htaccess не ради.", + "Create an <strong>admin account</strong>" : "Направи <strong>административни налог</strong>", + "Username" : "Корисничко име", + "Storage & database" : "Складиште и база података", + "Data folder" : "Фацикла података", + "Configure the database" : "Подешавање базе", + "Only %s is available." : "Само %s је доступна.", + "Install and activate additional PHP modules to choose other database types." : "Инсталирајте и активирајте додатне ПХП модуле за избор других врста база података.", + "For more details check out the documentation." : "За више детаља погледајте документацију.", + "Database user" : "Корисник базе", + "Database password" : "Лозинка базе", + "Database name" : "Назив базе", + "Database tablespace" : "Радни простор базе података", + "Database host" : "Домаћин базе", + "Performance warning" : "Упозорење о перформансама", + "SQLite will be used as database." : "СКуЛајт ће бити коришћен за базу података.", + "For larger installations we recommend to choose a different database backend." : "За веће инсталације препоручујемо да изаберете другу позадину базе података.", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "Нарочито ако се користи клијент програм у графичком окружењу, коришћење СКуЛајта није препоручљиво.", + "Finish setup" : "Заврши подешавање", + "Finishing …" : "Завршавам…", + "Need help?" : "Треба вам помоћ?", + "See the documentation" : "Погледајте документацију", + "This application requires JavaScript for correct operation. Please {linkstart}enable JavaScript{linkend} and reload the page." : "Ова апликација захтева Јава скрипт за исправан рад. {linkstart}Омогућите Јава скрипт{linkend} и поново учитајте страницу.", + "More apps" : "Још апликација", + "Search" : "Претражи", + "This action requires you to confirm your password:" : "Ова радња захтева да потврдите лозинку", + "Confirm your password" : "Потврди лозинку", + "Server side authentication failed!" : "Аутентификација на серверу није успела!", + "Please contact your administrator." : "Контактирајте вашег администратора.", + "Please try again or contact your administrator." : "Покушајте поново или контактирајте вашег администратора.", + "Wrong password." : "Погрешна лозинка", + "Log in" : "Пријава", + "Alternative Logins" : "Алтернативне пријаве", + "Redirecting …" : "Преусмеравање...", + "New password" : "Нова лозинка", + "New Password" : "Нова лозинка", + "Reset password" : "Ресетуј лозинку", + "Add \"%s\" as trusted domain" : "Додај „%s“ као поуздан домен", + "The theme %s has been disabled." : "Тема %s је онемогућена.", + "Please make sure that the database, the config folder and the data folder have been backed up before proceeding." : "Проверите да ли сте направили резервну копију фасцикли са подешавањима и подацима пре него што наставите.", + "Start update" : "Почни надоградњу", + "To avoid timeouts with larger installations, you can instead run the following command from your installation directory:" : "Да избегнете прекорачење времена одзива на већим инсталацијама, можете покренути следећу команду у инсталационом директоријуму:", + "Update needed" : "Потребно је ажурирање", + "This %s instance is currently in maintenance mode, which may take a while." : "Овај %s је тренутно у режиму одржавања а то може потрајати.", + "This page will refresh itself when the %s instance is available again." : "Ова страница ће се сама освежити када %s постане поново доступан.", + "Contact your system administrator if this message persists or appeared unexpectedly." : "Контактирајте администратора ако се порука понавља или се неочекивано појавила.", + "Thank you for your patience." : "Хвала вам на стрпљењу.", + "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset.<br />If you are not sure what to do, please contact your administrator before you continue. <br />Do you really want to continue?" : "Фајлови су вам шифровани. Ако нисте укључили кључ за опоравак, нећете моћи да повратите податке након ресетовања лозинке.<br />Ако нисте сигурни шта да радите, контактирајте администратора пре него што наставите.<br />Да ли желите да наставите?", + "Ok" : "У реду", + "Your data directory and your files are probably accessible from the Internet. The .htaccess file is not working. We strongly suggest that you configure your web server in a way that the data directory is no longer accessible or you move the data directory outside the web server document root." : "Ваш директоријум са подацима и ваши фајлови су вероватно доступни са интернета. Фајл .htaccess не ради. Предлажемо да подесите ваш веб сервер на начин да директоријум са подацима не буде доступан или га изместите изван кореног директоријума веб сервера.", + "Error while unsharing" : "Грешка при укидању дељења", + "can edit" : "може да мења", + "access control" : "права приступа", + "The object type is not specified." : "Тип објекта није наведен.", + "Enter new" : "Унесите нови", + "Add" : "Додај", + "Edit tags" : "Уреди ознаке", + "Error loading dialog template: {error}" : "Грешка при учитавању шаблона дијалога: {error}", + "No tags selected for deletion." : "Нема ознака за брисање.", + "The update was successful. Redirecting you to Nextcloud now." : "Ажурирање је успело. Преусмеравање на Некстклауд. ", + "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" : "Поздрав,\n\nсамо вас обавештавам да %s дели %s са вама.\nПогледајте: %s\n\n", + "The share will expire on %s." : "Дељење истиче %s.", + "Cheers!" : "Здраво!", + "The server encountered an internal error and was unable to complete your request." : "Због интерне грешке на серверу, ваш захтев није могао бити довршен.", + "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "Контактирајте администратора ако се грешка понови и укључите у извештај техничке појединости наведене испод.", + "Log out" : "Одјава", + "Use the following link to reset your password: {link}" : "Употребите следећу везу да ресетујете своју лозинку: {link}", + "Hey there,<br><br>just letting you know that %s shared <strong>%s</strong> with you.<br><a href=\"%s\">View it!</a><br><br>" : "Поздрав,<br><br>само вас обавештавам да %s дели <strong>%s</strong> са вама.<br><a href=\"%s\">Погледајте!</a><br><br>", + "This means only administrators can use the instance." : "То значи да га могу користити само администратори.", + "You are accessing the server from an untrusted domain." : "Приступате серверу са непоузданог домена.", + "Depending on your configuration, as an administrator you might also be able to use the button below to trust this domain." : "Зависно од ваших подешавања, као администратор можете употребити дугме испод да потврдите поузданост домена." +},"pluralForm" :"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);" +}
\ No newline at end of file diff --git a/lib/l10n/hu.js b/lib/l10n/hu.js index 606be1a7fd5..3a33c0d3164 100644 --- a/lib/l10n/hu.js +++ b/lib/l10n/hu.js @@ -49,6 +49,7 @@ OC.L10N.register( "App \"%s\" cannot be installed because it is not compatible with this version of the server." : "\"%s\" alkalmazás nem lehet telepíteni, mert nem kompatibilis a szerver jelen verziójával.", "Help" : "Súgó", "Apps" : "Alkalmazások", + "Settings" : "Beállítások", "Log out" : "Kijelentkezés", "Users" : "Felhasználók", "APCu" : "APCu", diff --git a/lib/l10n/hu.json b/lib/l10n/hu.json index c9febb750e5..aa0f6b86d62 100644 --- a/lib/l10n/hu.json +++ b/lib/l10n/hu.json @@ -47,6 +47,7 @@ "App \"%s\" cannot be installed because it is not compatible with this version of the server." : "\"%s\" alkalmazás nem lehet telepíteni, mert nem kompatibilis a szerver jelen verziójával.", "Help" : "Súgó", "Apps" : "Alkalmazások", + "Settings" : "Beállítások", "Log out" : "Kijelentkezés", "Users" : "Felhasználók", "APCu" : "APCu", diff --git a/lib/private/Files/ObjectStore/Swift.php b/lib/private/Files/ObjectStore/Swift.php index 8b64fd66de0..36a1a4a873f 100644 --- a/lib/private/Files/ObjectStore/Swift.php +++ b/lib/private/Files/ObjectStore/Swift.php @@ -73,10 +73,10 @@ class Swift implements IObjectStore { if (isset($params['apiKey'])) { $this->client = new Rackspace($params['url'], $params); - $cacheKey = $this->params['username'] . '@' . $this->params['url'] . '/' . $this->params['bucket']; + $cacheKey = $params['username'] . '@' . $params['url'] . '/' . $params['bucket']; } else { $this->client = new OpenStack($params['url'], $params); - $cacheKey = $this->params['username'] . '@' . $this->params['url'] . '/' . $this->params['bucket']; + $cacheKey = $params['username'] . '@' . $params['url'] . '/' . $params['bucket']; } $cacheFactory = \OC::$server->getMemCacheFactory(); diff --git a/settings/l10n/de.js b/settings/l10n/de.js index cae7aae83ac..608c542ee99 100644 --- a/settings/l10n/de.js +++ b/settings/l10n/de.js @@ -70,6 +70,7 @@ OC.L10N.register( "Email address for %1$s changed on %2$s" : "E-Mail-Adresse für %1$s geändert auf %2$s", "Welcome aboard" : "Willkommen an Bord", "Welcome aboard %s" : "Willkommen an Bord %s", + "You now have an %s account, you can add, protect, and share your data." : "Du hast jetzt ein %s-Konto. Du kannst Deine Daten hinzufügen, schützen und teilen.", "Your username is: %s" : "Dein Benutzername lautet: %s", "Set your password" : "Vergebe Dein Passwort", "Go to %s" : "Gehe zu %s", @@ -307,6 +308,8 @@ OC.L10N.register( "Theming" : "Themen verwenden", "Check the security of your Nextcloud over our security scan" : "Überprüfe die Sicherheit Deiner Nextcloud mit unserem Sicherheits-Scan", "Hardening and security guidance" : "Systemhärtung und Sicherheitsempfehlungen", + "Personal" : "Persönlich", + "Administration" : "Verwaltung", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Du benutzt <strong>%s</strong> von <strong>%s</strong>", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Du benutzt <strong>%s</strong> von <strong>%s</strong> (<strong>%s %%</strong>)", "Profile picture" : "Profilbild", @@ -443,7 +446,7 @@ OC.L10N.register( "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "Für die Sicherheit und Geschwindigkeit Deiner Installation ist es von großer Bedeutung, dass sie richtig konfiguriert ist. Um Dir hierbei zu helfen werden einige automatische Tests durchgeführt. Weitere Informationen findest Du im Tipps & Tricks- Abschnitt und in der Dokumentation.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Das PHP Modul 'fileinfo' fehlt. Wir empfehlen dringend, das Modul zu aktivieren, um beste Ergebnisse mit MIME-Typ-Erkennung zu erhalten.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Passwörter für die Web-Oberfläche, Desktop- oder Mobil-Clients und Apps, die Zugriff auf Dein Konto haben", - "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Hier können individuelle Passwörter for Apps erzeugt werden. So must Du nicht Dein Passwort verteilen. Jedes Passwort kann individuell widerrufen werden.", + "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Hier können individuelle Passwörter für Apps erzeugt werden. So must Du nicht Dein Passwort verteilen. Jedes Passwort kann individuell widerrufen werden.", "Follow us on Google+!" : "Folge uns auf Google+!", "Follow us on Twitter!" : "Folge uns auf Twitter!", "Check out our blog!" : "Sieh Dir unseren Blog an!" diff --git a/settings/l10n/de.json b/settings/l10n/de.json index d0619689cb1..42213825dc5 100644 --- a/settings/l10n/de.json +++ b/settings/l10n/de.json @@ -68,6 +68,7 @@ "Email address for %1$s changed on %2$s" : "E-Mail-Adresse für %1$s geändert auf %2$s", "Welcome aboard" : "Willkommen an Bord", "Welcome aboard %s" : "Willkommen an Bord %s", + "You now have an %s account, you can add, protect, and share your data." : "Du hast jetzt ein %s-Konto. Du kannst Deine Daten hinzufügen, schützen und teilen.", "Your username is: %s" : "Dein Benutzername lautet: %s", "Set your password" : "Vergebe Dein Passwort", "Go to %s" : "Gehe zu %s", @@ -305,6 +306,8 @@ "Theming" : "Themen verwenden", "Check the security of your Nextcloud over our security scan" : "Überprüfe die Sicherheit Deiner Nextcloud mit unserem Sicherheits-Scan", "Hardening and security guidance" : "Systemhärtung und Sicherheitsempfehlungen", + "Personal" : "Persönlich", + "Administration" : "Verwaltung", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Du benutzt <strong>%s</strong> von <strong>%s</strong>", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Du benutzt <strong>%s</strong> von <strong>%s</strong> (<strong>%s %%</strong>)", "Profile picture" : "Profilbild", @@ -441,7 +444,7 @@ "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "Für die Sicherheit und Geschwindigkeit Deiner Installation ist es von großer Bedeutung, dass sie richtig konfiguriert ist. Um Dir hierbei zu helfen werden einige automatische Tests durchgeführt. Weitere Informationen findest Du im Tipps & Tricks- Abschnitt und in der Dokumentation.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Das PHP Modul 'fileinfo' fehlt. Wir empfehlen dringend, das Modul zu aktivieren, um beste Ergebnisse mit MIME-Typ-Erkennung zu erhalten.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Passwörter für die Web-Oberfläche, Desktop- oder Mobil-Clients und Apps, die Zugriff auf Dein Konto haben", - "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Hier können individuelle Passwörter for Apps erzeugt werden. So must Du nicht Dein Passwort verteilen. Jedes Passwort kann individuell widerrufen werden.", + "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Hier können individuelle Passwörter für Apps erzeugt werden. So must Du nicht Dein Passwort verteilen. Jedes Passwort kann individuell widerrufen werden.", "Follow us on Google+!" : "Folge uns auf Google+!", "Follow us on Twitter!" : "Folge uns auf Twitter!", "Check out our blog!" : "Sieh Dir unseren Blog an!" diff --git a/settings/l10n/de_DE.js b/settings/l10n/de_DE.js index 9772f0f154a..08715eae58c 100644 --- a/settings/l10n/de_DE.js +++ b/settings/l10n/de_DE.js @@ -70,6 +70,7 @@ OC.L10N.register( "Email address for %1$s changed on %2$s" : "E-Mail-Adresse für %1$s geändert auf %2$s", "Welcome aboard" : "Willkommen an Bord", "Welcome aboard %s" : "Willkommen an Bord %s", + "You now have an %s account, you can add, protect, and share your data." : "Sie haben jetzt ein %s-Konto. Sie können Ihre Daten hinzufügen, schützen und teilen.", "Your username is: %s" : "Ihr Benutzername lautet: %s", "Set your password" : "Vergeben Sie Ihr Passwort", "Go to %s" : "Gehe zu %s", @@ -307,6 +308,8 @@ OC.L10N.register( "Theming" : "Themes verwenden", "Check the security of your Nextcloud over our security scan" : "Überprüfen Sie die Sicherheit Ihrer Nextcloud mit unserem Sicherheits-Scan", "Hardening and security guidance" : "Systemhärtung und Sicherheitsempfehlungen", + "Personal" : "Persönlich", + "Administration" : "Verwaltung", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Sie verwenden <strong>%s</strong> der verfügbaren <strong>%s</strong>", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Sie verwenden <strong>%s</strong> von <strong>%s</strong> (<strong>%s %%</strong>)", "Profile picture" : "Profilbild", @@ -443,7 +446,7 @@ OC.L10N.register( "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "Für die Sicherheit und Geschwindigkeit Deiner Installation ist es von großer Bedeutung, dass sie richtig konfiguriert ist. Um Ihnen hierbei zu helfen werden einige automatische Tests durchgeführt. Weitere Informationen finden Sie im Tipps & Tricks- Abschnitt und in der Dokumentation.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Das PHP Modul 'fileinfo' fehlt. Wir empfehlen dringend, das Modul zu aktivieren, um beste Ergebnisse mit MIME-Typ-Erkennung zu erhalten.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Passwörter für die Web-Oberfläche, Desktop- oder Mobil-Clients und Apps, die Zugriff auf Ihr Konto haben.", - "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Hier können individuelle Passwörter for Apps erzeugt werden. So müssen Sie nicht Ihr Passwort verteilen. Jedes Passwort kann individuell widerrufen werden.", + "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Hier können individuelle Passwörter für Apps erzeugt werden. So müssen Sie nicht Ihr Passwort verteilen. Jedes Passwort kann individuell widerrufen werden.", "Follow us on Google+!" : "Folgen Sie uns auf Google+!", "Follow us on Twitter!" : "Folgen Sie uns auf Twitter!", "Check out our blog!" : "Sehen Sie sich unseren Blog an!" diff --git a/settings/l10n/de_DE.json b/settings/l10n/de_DE.json index 8cd8a5b217b..2411f233674 100644 --- a/settings/l10n/de_DE.json +++ b/settings/l10n/de_DE.json @@ -68,6 +68,7 @@ "Email address for %1$s changed on %2$s" : "E-Mail-Adresse für %1$s geändert auf %2$s", "Welcome aboard" : "Willkommen an Bord", "Welcome aboard %s" : "Willkommen an Bord %s", + "You now have an %s account, you can add, protect, and share your data." : "Sie haben jetzt ein %s-Konto. Sie können Ihre Daten hinzufügen, schützen und teilen.", "Your username is: %s" : "Ihr Benutzername lautet: %s", "Set your password" : "Vergeben Sie Ihr Passwort", "Go to %s" : "Gehe zu %s", @@ -305,6 +306,8 @@ "Theming" : "Themes verwenden", "Check the security of your Nextcloud over our security scan" : "Überprüfen Sie die Sicherheit Ihrer Nextcloud mit unserem Sicherheits-Scan", "Hardening and security guidance" : "Systemhärtung und Sicherheitsempfehlungen", + "Personal" : "Persönlich", + "Administration" : "Verwaltung", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Sie verwenden <strong>%s</strong> der verfügbaren <strong>%s</strong>", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Sie verwenden <strong>%s</strong> von <strong>%s</strong> (<strong>%s %%</strong>)", "Profile picture" : "Profilbild", @@ -441,7 +444,7 @@ "It's important for the security and performance of your instance that everything is configured correctly. To help you with that we are doing some automatic checks. Please see the Tips & Ticks section and the documentation for more information." : "Für die Sicherheit und Geschwindigkeit Deiner Installation ist es von großer Bedeutung, dass sie richtig konfiguriert ist. Um Ihnen hierbei zu helfen werden einige automatische Tests durchgeführt. Weitere Informationen finden Sie im Tipps & Tricks- Abschnitt und in der Dokumentation.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Das PHP Modul 'fileinfo' fehlt. Wir empfehlen dringend, das Modul zu aktivieren, um beste Ergebnisse mit MIME-Typ-Erkennung zu erhalten.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Passwörter für die Web-Oberfläche, Desktop- oder Mobil-Clients und Apps, die Zugriff auf Ihr Konto haben.", - "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Hier können individuelle Passwörter for Apps erzeugt werden. So müssen Sie nicht Ihr Passwort verteilen. Jedes Passwort kann individuell widerrufen werden.", + "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Hier können individuelle Passwörter für Apps erzeugt werden. So müssen Sie nicht Ihr Passwort verteilen. Jedes Passwort kann individuell widerrufen werden.", "Follow us on Google+!" : "Folgen Sie uns auf Google+!", "Follow us on Twitter!" : "Folgen Sie uns auf Twitter!", "Check out our blog!" : "Sehen Sie sich unseren Blog an!" diff --git a/settings/l10n/en_GB.js b/settings/l10n/en_GB.js index 21bef55a708..8486cbcfaf3 100644 --- a/settings/l10n/en_GB.js +++ b/settings/l10n/en_GB.js @@ -70,6 +70,7 @@ OC.L10N.register( "Email address for %1$s changed on %2$s" : "Email address for %1$s changed on %2$s", "Welcome aboard" : "Welcome aboard", "Welcome aboard %s" : "Welcome aboard %s", + "You now have an %s account, you can add, protect, and share your data." : "You now have an %s account, you can add, protect, and share your data.", "Your username is: %s" : "Your username is: %s", "Set your password" : "Set your password", "Go to %s" : "Go to %s", @@ -307,6 +308,8 @@ OC.L10N.register( "Theming" : "Theming", "Check the security of your Nextcloud over our security scan" : "Check the security of your Nextcloud over our security scan", "Hardening and security guidance" : "Hardening and security guidance", + "Personal" : "Personal", + "Administration" : "Administration", "You are using <strong>%s</strong> of <strong>%s</strong>" : "You are using <strong>%s</strong> of <strong>%s</strong>", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)", "Profile picture" : "Profile picture", diff --git a/settings/l10n/en_GB.json b/settings/l10n/en_GB.json index bc4f77410da..f476bccdf82 100644 --- a/settings/l10n/en_GB.json +++ b/settings/l10n/en_GB.json @@ -68,6 +68,7 @@ "Email address for %1$s changed on %2$s" : "Email address for %1$s changed on %2$s", "Welcome aboard" : "Welcome aboard", "Welcome aboard %s" : "Welcome aboard %s", + "You now have an %s account, you can add, protect, and share your data." : "You now have an %s account, you can add, protect, and share your data.", "Your username is: %s" : "Your username is: %s", "Set your password" : "Set your password", "Go to %s" : "Go to %s", @@ -305,6 +306,8 @@ "Theming" : "Theming", "Check the security of your Nextcloud over our security scan" : "Check the security of your Nextcloud over our security scan", "Hardening and security guidance" : "Hardening and security guidance", + "Personal" : "Personal", + "Administration" : "Administration", "You are using <strong>%s</strong> of <strong>%s</strong>" : "You are using <strong>%s</strong> of <strong>%s</strong>", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)", "Profile picture" : "Profile picture", diff --git a/settings/l10n/es.js b/settings/l10n/es.js index fcc302d06a1..69a700656c2 100644 --- a/settings/l10n/es.js +++ b/settings/l10n/es.js @@ -3,7 +3,7 @@ OC.L10N.register( { "{actor} changed your password" : "{actor} cambió su contraseña", "You changed your password" : "Usted ha cambiado su contraseña", - "Your password was reset by an administrator" : "Su contraseña ha sido restaurada por un administrador", + "Your password was reset by an administrator" : "Su contraseña ha sido restablecida por un administrador", "{actor} changed your email address" : "{actor} cambió su dirección de correo electrónico", "You changed your email address" : "Ha cambiado su cuenta de correo", "Your email address was changed by an administrator" : "Su cuenta de correo ha sido cambiada por un administrador", @@ -60,7 +60,7 @@ OC.L10N.register( "Your password on %s was changed." : "Su contraseña en %s fue cambiada.", "Your password on %s was reset by an administrator." : "Su contraseña en %s fue restaurada por un administrador.", "Password changed for %s" : "Contraseña cambiada por %s", - "If you did not request this, please contact an administrator." : "Si usted no soliticitó esto, por favor contacte al administrador.", + "If you did not request this, please contact an administrator." : "Si usted no soliticitó esto, por favor contacte con el administrador.", "Password for %1$s changed on %2$s" : "Contrasñea para %1$s cambiada en %2$s", "%1$s changed your email address on %2$s." : "%1$s cambió su dirección de correo electrónico en %2$s", "Your email address on %s was changed." : "Su dirección de correo electrónico en %s fue cambiada.", @@ -70,6 +70,7 @@ OC.L10N.register( "Email address for %1$s changed on %2$s" : "Dirección de correo electrónico para %1$s cambiada en %2$s", "Welcome aboard" : "Bienvenido a bordo", "Welcome aboard %s" : "Bienvenido a bordo %s", + "You now have an %s account, you can add, protect, and share your data." : "Ahora tienes una cuenta en %s, puedes añadir, proteger y compartir tus datos.", "Your username is: %s" : "Su nombre de usuario es: %s", "Set your password" : "Establezca su contraseña", "Go to %s" : "Vaya a %s", @@ -130,11 +131,11 @@ OC.L10N.register( "Android Client" : "Cliente Android", "Sync client - {os}" : "Cliente de sincronización - {os}", "This session" : "Esta sesión", - "Copy" : "Copia", + "Copy" : "Copiar", "Copied!" : "¡Copiado!", "Not supported!" : "¡No se puede!", "Press ⌘-C to copy." : "Presionar ⌘-C para copiar.", - "Press Ctrl-C to copy." : "Presiona Ctrl-C para copiar.", + "Press Ctrl-C to copy." : "Presiona Ctrl+C para copiar.", "Error while loading browser sessions and device tokens" : "Error al cargar sesiones de navegador y \"tokens\" de dispositivos", "Error while creating device token" : "Error al crear \"token\" de dispositivo", "Error while deleting the token" : "Error al detectar el \"token\"", @@ -164,7 +165,7 @@ OC.L10N.register( "A valid group name must be provided" : "Se debe dar un nombre válido para el grupo ", "deleted {groupName}" : "{groupName} eliminado", "undo" : "deshacer", - "{size} used" : "{size} usado", + "{size} used" : "{size} usados", "never" : "nunca", "deleted {userName}" : "borrado {userName}", "No user found for <strong>{pattern}</strong>" : "No se encontró usuario para <strong>{pattern}</strong>", @@ -307,6 +308,8 @@ OC.L10N.register( "Theming" : "Personalizar el tema", "Check the security of your Nextcloud over our security scan" : "Comprueba la seguridad de tu Nextcloud mediante nuestro escaneo de seguridad", "Hardening and security guidance" : "Guía de protección y seguridad", + "Personal" : "Perfil", + "Administration" : "Administración", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Estas usando <strong>%s</strong> de <strong>%s</strong> ", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Está usando <strong>%s</strong> de <strong>%s</strong> (<strong>%s %%</strong>)", "Profile picture" : "Foto de perfil", @@ -369,12 +372,12 @@ OC.L10N.register( "Everyone" : "Todos", "Admins" : "Administradores", "Disabled" : "Deshabilitado", - "Default quota" : "Cuota predeterminada", + "Default quota" : "Espacio predeterminado", "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Por favor indique la cúota de almacenamiento (ej: \"512 MB\" o \"12 GB\")", "Unlimited" : "Ilimitado", "Other" : "Otro", "Group admin for" : "Administrador de grupo para", - "Quota" : "Cuota", + "Quota" : "Espacio", "Storage location" : "Ubicación de almacenamiento", "User backend" : "Motor de usuario", "Last login" : "Último inicio de sesión", diff --git a/settings/l10n/es.json b/settings/l10n/es.json index 711c77bebdc..533d602bca4 100644 --- a/settings/l10n/es.json +++ b/settings/l10n/es.json @@ -1,7 +1,7 @@ { "translations": { "{actor} changed your password" : "{actor} cambió su contraseña", "You changed your password" : "Usted ha cambiado su contraseña", - "Your password was reset by an administrator" : "Su contraseña ha sido restaurada por un administrador", + "Your password was reset by an administrator" : "Su contraseña ha sido restablecida por un administrador", "{actor} changed your email address" : "{actor} cambió su dirección de correo electrónico", "You changed your email address" : "Ha cambiado su cuenta de correo", "Your email address was changed by an administrator" : "Su cuenta de correo ha sido cambiada por un administrador", @@ -58,7 +58,7 @@ "Your password on %s was changed." : "Su contraseña en %s fue cambiada.", "Your password on %s was reset by an administrator." : "Su contraseña en %s fue restaurada por un administrador.", "Password changed for %s" : "Contraseña cambiada por %s", - "If you did not request this, please contact an administrator." : "Si usted no soliticitó esto, por favor contacte al administrador.", + "If you did not request this, please contact an administrator." : "Si usted no soliticitó esto, por favor contacte con el administrador.", "Password for %1$s changed on %2$s" : "Contrasñea para %1$s cambiada en %2$s", "%1$s changed your email address on %2$s." : "%1$s cambió su dirección de correo electrónico en %2$s", "Your email address on %s was changed." : "Su dirección de correo electrónico en %s fue cambiada.", @@ -68,6 +68,7 @@ "Email address for %1$s changed on %2$s" : "Dirección de correo electrónico para %1$s cambiada en %2$s", "Welcome aboard" : "Bienvenido a bordo", "Welcome aboard %s" : "Bienvenido a bordo %s", + "You now have an %s account, you can add, protect, and share your data." : "Ahora tienes una cuenta en %s, puedes añadir, proteger y compartir tus datos.", "Your username is: %s" : "Su nombre de usuario es: %s", "Set your password" : "Establezca su contraseña", "Go to %s" : "Vaya a %s", @@ -128,11 +129,11 @@ "Android Client" : "Cliente Android", "Sync client - {os}" : "Cliente de sincronización - {os}", "This session" : "Esta sesión", - "Copy" : "Copia", + "Copy" : "Copiar", "Copied!" : "¡Copiado!", "Not supported!" : "¡No se puede!", "Press ⌘-C to copy." : "Presionar ⌘-C para copiar.", - "Press Ctrl-C to copy." : "Presiona Ctrl-C para copiar.", + "Press Ctrl-C to copy." : "Presiona Ctrl+C para copiar.", "Error while loading browser sessions and device tokens" : "Error al cargar sesiones de navegador y \"tokens\" de dispositivos", "Error while creating device token" : "Error al crear \"token\" de dispositivo", "Error while deleting the token" : "Error al detectar el \"token\"", @@ -162,7 +163,7 @@ "A valid group name must be provided" : "Se debe dar un nombre válido para el grupo ", "deleted {groupName}" : "{groupName} eliminado", "undo" : "deshacer", - "{size} used" : "{size} usado", + "{size} used" : "{size} usados", "never" : "nunca", "deleted {userName}" : "borrado {userName}", "No user found for <strong>{pattern}</strong>" : "No se encontró usuario para <strong>{pattern}</strong>", @@ -305,6 +306,8 @@ "Theming" : "Personalizar el tema", "Check the security of your Nextcloud over our security scan" : "Comprueba la seguridad de tu Nextcloud mediante nuestro escaneo de seguridad", "Hardening and security guidance" : "Guía de protección y seguridad", + "Personal" : "Perfil", + "Administration" : "Administración", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Estas usando <strong>%s</strong> de <strong>%s</strong> ", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Está usando <strong>%s</strong> de <strong>%s</strong> (<strong>%s %%</strong>)", "Profile picture" : "Foto de perfil", @@ -367,12 +370,12 @@ "Everyone" : "Todos", "Admins" : "Administradores", "Disabled" : "Deshabilitado", - "Default quota" : "Cuota predeterminada", + "Default quota" : "Espacio predeterminado", "Please enter storage quota (ex: \"512 MB\" or \"12 GB\")" : "Por favor indique la cúota de almacenamiento (ej: \"512 MB\" o \"12 GB\")", "Unlimited" : "Ilimitado", "Other" : "Otro", "Group admin for" : "Administrador de grupo para", - "Quota" : "Cuota", + "Quota" : "Espacio", "Storage location" : "Ubicación de almacenamiento", "User backend" : "Motor de usuario", "Last login" : "Último inicio de sesión", diff --git a/settings/l10n/fr.js b/settings/l10n/fr.js index 03b1df1b95e..8f6a4c38e9f 100644 --- a/settings/l10n/fr.js +++ b/settings/l10n/fr.js @@ -70,6 +70,7 @@ OC.L10N.register( "Email address for %1$s changed on %2$s" : "Adresse e-mail pour %1$s a été modifié sur %2$s", "Welcome aboard" : "Bienvenue à bord", "Welcome aboard %s" : "Bienvenue à bord %s", + "You now have an %s account, you can add, protect, and share your data." : "Vous avez maintenant un compte %s, vous pouvez désormais ajouter, protéger et partager vos données.", "Your username is: %s" : "Votre nom d'utilisateur est : %s", "Set your password" : "Saisissez votre mot de passe", "Go to %s" : "Aller à %s", @@ -307,6 +308,8 @@ OC.L10N.register( "Theming" : "Personnalisation de l'apparence", "Check the security of your Nextcloud over our security scan" : "Vérifier la sécurité de votre Nextcloud grâce à notre scan de sécurité", "Hardening and security guidance" : "Guide pour le renforcement et la sécurité", + "Personal" : "Personnel", + "Administration" : "Administration", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Vous utilisez <strong>%s</strong> sur <strong>%s<strong>", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Vous utilisez <strong>%s</strong> sur <strong>%s</strong> (<strong>%s %%</strong>)", "Profile picture" : "Photo de profil", diff --git a/settings/l10n/fr.json b/settings/l10n/fr.json index 4d6d24fcbd3..61dcbc2ed89 100644 --- a/settings/l10n/fr.json +++ b/settings/l10n/fr.json @@ -68,6 +68,7 @@ "Email address for %1$s changed on %2$s" : "Adresse e-mail pour %1$s a été modifié sur %2$s", "Welcome aboard" : "Bienvenue à bord", "Welcome aboard %s" : "Bienvenue à bord %s", + "You now have an %s account, you can add, protect, and share your data." : "Vous avez maintenant un compte %s, vous pouvez désormais ajouter, protéger et partager vos données.", "Your username is: %s" : "Votre nom d'utilisateur est : %s", "Set your password" : "Saisissez votre mot de passe", "Go to %s" : "Aller à %s", @@ -305,6 +306,8 @@ "Theming" : "Personnalisation de l'apparence", "Check the security of your Nextcloud over our security scan" : "Vérifier la sécurité de votre Nextcloud grâce à notre scan de sécurité", "Hardening and security guidance" : "Guide pour le renforcement et la sécurité", + "Personal" : "Personnel", + "Administration" : "Administration", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Vous utilisez <strong>%s</strong> sur <strong>%s<strong>", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Vous utilisez <strong>%s</strong> sur <strong>%s</strong> (<strong>%s %%</strong>)", "Profile picture" : "Photo de profil", diff --git a/settings/l10n/it.js b/settings/l10n/it.js index a00e20dd415..67c196a1120 100644 --- a/settings/l10n/it.js +++ b/settings/l10n/it.js @@ -70,6 +70,7 @@ OC.L10N.register( "Email address for %1$s changed on %2$s" : "Indirizzo di posta per %1$s modificato su %2$s", "Welcome aboard" : "Benvenuto a bordo", "Welcome aboard %s" : "Benvenuto a bordo di %s", + "You now have an %s account, you can add, protect, and share your data." : "Ora hai un account %s, puoi aggiungere, proteggere e condividere i tuoi dati.", "Your username is: %s" : "Il tuo nome utente è: %s", "Set your password" : "Imposta la tua password", "Go to %s" : "Vai a %s", @@ -307,6 +308,8 @@ OC.L10N.register( "Theming" : "Temi", "Check the security of your Nextcloud over our security scan" : "Controlla la sicurezza del tuo Nextcloud con la nostra scansione di sicurezza", "Hardening and security guidance" : "Guida alla messa in sicurezza", + "Personal" : "Personale", + "Administration" : "Amministrazione", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Stai utilizzando <strong>%s</strong> di <strong>%s</strong>", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Stai utilizzando <strong>%s</strong> di <strong>%s</strong> (strong>%s %%</strong>)", "Profile picture" : "Immagine del profilo", diff --git a/settings/l10n/it.json b/settings/l10n/it.json index c8b34f31b45..021ee89ff25 100644 --- a/settings/l10n/it.json +++ b/settings/l10n/it.json @@ -68,6 +68,7 @@ "Email address for %1$s changed on %2$s" : "Indirizzo di posta per %1$s modificato su %2$s", "Welcome aboard" : "Benvenuto a bordo", "Welcome aboard %s" : "Benvenuto a bordo di %s", + "You now have an %s account, you can add, protect, and share your data." : "Ora hai un account %s, puoi aggiungere, proteggere e condividere i tuoi dati.", "Your username is: %s" : "Il tuo nome utente è: %s", "Set your password" : "Imposta la tua password", "Go to %s" : "Vai a %s", @@ -305,6 +306,8 @@ "Theming" : "Temi", "Check the security of your Nextcloud over our security scan" : "Controlla la sicurezza del tuo Nextcloud con la nostra scansione di sicurezza", "Hardening and security guidance" : "Guida alla messa in sicurezza", + "Personal" : "Personale", + "Administration" : "Amministrazione", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Stai utilizzando <strong>%s</strong> di <strong>%s</strong>", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Stai utilizzando <strong>%s</strong> di <strong>%s</strong> (strong>%s %%</strong>)", "Profile picture" : "Immagine del profilo", diff --git a/settings/l10n/pl.js b/settings/l10n/pl.js index 00df39273a9..1b177a602d1 100644 --- a/settings/l10n/pl.js +++ b/settings/l10n/pl.js @@ -70,6 +70,7 @@ OC.L10N.register( "Email address for %1$s changed on %2$s" : "Adres e-mail dla %1$s zmieniono w %2$s", "Welcome aboard" : "Witamy na pokładzie", "Welcome aboard %s" : "Witamy na pokładzie %s", + "You now have an %s account, you can add, protect, and share your data." : "Posiadasz teraz konto %s, możesz dodawać, chronić i współdzielić swoje dane.", "Your username is: %s" : "Twoja nazwa użytkownika to: %s", "Set your password" : "Ustaw hasło", "Go to %s" : "Idź do: %s", @@ -307,6 +308,8 @@ OC.L10N.register( "Theming" : "Motyw", "Check the security of your Nextcloud over our security scan" : "Sprawdź bezpieczeństwo swojego Nextclouda przez nasz skan zabezpieczeń", "Hardening and security guidance" : "Kierowanie i wzmacnianie bezpieczeństwa", + "Personal" : "Osobiste", + "Administration" : "Administracja", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Używasz <strong>%s</strong> z <strong>%s</strong>", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Używasz <strong>%s</strong> z <strong>%s</strong> (<strong>%s %%</strong>)", "Profile picture" : "Zdjęcie profilu", diff --git a/settings/l10n/pl.json b/settings/l10n/pl.json index 6c0d84dfe16..b5cf212ccc8 100644 --- a/settings/l10n/pl.json +++ b/settings/l10n/pl.json @@ -68,6 +68,7 @@ "Email address for %1$s changed on %2$s" : "Adres e-mail dla %1$s zmieniono w %2$s", "Welcome aboard" : "Witamy na pokładzie", "Welcome aboard %s" : "Witamy na pokładzie %s", + "You now have an %s account, you can add, protect, and share your data." : "Posiadasz teraz konto %s, możesz dodawać, chronić i współdzielić swoje dane.", "Your username is: %s" : "Twoja nazwa użytkownika to: %s", "Set your password" : "Ustaw hasło", "Go to %s" : "Idź do: %s", @@ -305,6 +306,8 @@ "Theming" : "Motyw", "Check the security of your Nextcloud over our security scan" : "Sprawdź bezpieczeństwo swojego Nextclouda przez nasz skan zabezpieczeń", "Hardening and security guidance" : "Kierowanie i wzmacnianie bezpieczeństwa", + "Personal" : "Osobiste", + "Administration" : "Administracja", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Używasz <strong>%s</strong> z <strong>%s</strong>", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Używasz <strong>%s</strong> z <strong>%s</strong> (<strong>%s %%</strong>)", "Profile picture" : "Zdjęcie profilu", diff --git a/settings/l10n/pt_BR.js b/settings/l10n/pt_BR.js index af55246b306..a3e57c6a043 100644 --- a/settings/l10n/pt_BR.js +++ b/settings/l10n/pt_BR.js @@ -70,6 +70,7 @@ OC.L10N.register( "Email address for %1$s changed on %2$s" : "O endereço de E-mail para %1$s foi alterado em %2$s", "Welcome aboard" : "Bem-vindo a bordo", "Welcome aboard %s" : "%s, bem-vindo a bordo", + "You now have an %s account, you can add, protect, and share your data." : "Agora você tem uma conta%s e pode adicionar, proteger e compartilhar seus dados.", "Your username is: %s" : "Seu nome de usuário é: %s", "Set your password" : "Defina sua senha", "Go to %s" : "Ir para 1 %s", @@ -307,6 +308,8 @@ OC.L10N.register( "Theming" : "Criar um tema", "Check the security of your Nextcloud over our security scan" : "Verificar a segurança do Nextcloud na nossa análise de segurança", "Hardening and security guidance" : "Orientações de proteção e segurança", + "Personal" : "Pessoal", + "Administration" : "Administração", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Você está usando <strong>%s</strong> de <strong>%s</strong>", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Você está usando <strong>%s</strong> de <strong>%s</strong> (<strong>%s %%</strong>)", "Profile picture" : "Imagem para o perfil", diff --git a/settings/l10n/pt_BR.json b/settings/l10n/pt_BR.json index de317cb6609..3cc37d28bb7 100644 --- a/settings/l10n/pt_BR.json +++ b/settings/l10n/pt_BR.json @@ -68,6 +68,7 @@ "Email address for %1$s changed on %2$s" : "O endereço de E-mail para %1$s foi alterado em %2$s", "Welcome aboard" : "Bem-vindo a bordo", "Welcome aboard %s" : "%s, bem-vindo a bordo", + "You now have an %s account, you can add, protect, and share your data." : "Agora você tem uma conta%s e pode adicionar, proteger e compartilhar seus dados.", "Your username is: %s" : "Seu nome de usuário é: %s", "Set your password" : "Defina sua senha", "Go to %s" : "Ir para 1 %s", @@ -305,6 +306,8 @@ "Theming" : "Criar um tema", "Check the security of your Nextcloud over our security scan" : "Verificar a segurança do Nextcloud na nossa análise de segurança", "Hardening and security guidance" : "Orientações de proteção e segurança", + "Personal" : "Pessoal", + "Administration" : "Administração", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Você está usando <strong>%s</strong> de <strong>%s</strong>", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Você está usando <strong>%s</strong> de <strong>%s</strong> (<strong>%s %%</strong>)", "Profile picture" : "Imagem para o perfil", diff --git a/settings/l10n/tr.js b/settings/l10n/tr.js index b942f9ba166..389d11ff2bd 100644 --- a/settings/l10n/tr.js +++ b/settings/l10n/tr.js @@ -70,6 +70,7 @@ OC.L10N.register( "Email address for %1$s changed on %2$s" : "%2$s üzerindeki %1$s e-posta değiştirildi", "Welcome aboard" : "Panonuza hoş geldiniz", "Welcome aboard %s" : "%s panonuza hoş geldiniz", + "You now have an %s account, you can add, protect, and share your data." : "%s hesabınız açıldı. Verilerinizi ekleyip koruyabilir ve paylaşabilirsiniz.", "Your username is: %s" : "Kullanıcı adınız: %s", "Set your password" : "Parolanızı ayarlayın", "Go to %s" : "%s sayfasına gidin", @@ -307,6 +308,8 @@ OC.L10N.register( "Theming" : "Tema uygulama", "Check the security of your Nextcloud over our security scan" : "Güvenlik sınamamızdan geçirerek Nextcloud güvenliğinizi denetleyin", "Hardening and security guidance" : "Sağlamlaştırma ve güvenlik rehberliği", + "Personal" : "Kişisel", + "Administration" : "Yönetim", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Kullandığınız alan: <strong>%s</strong>. Kullanabileceğiniz alan: <strong>%s</strong>", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Kullandığınız: <strong>%s</strong> Kullanabileceğiniz: <strong>%s</strong> (<strong>%s %%</strong>)", "Profile picture" : "Profil görseli", diff --git a/settings/l10n/tr.json b/settings/l10n/tr.json index 8318a5c7a04..219fa1d84f1 100644 --- a/settings/l10n/tr.json +++ b/settings/l10n/tr.json @@ -68,6 +68,7 @@ "Email address for %1$s changed on %2$s" : "%2$s üzerindeki %1$s e-posta değiştirildi", "Welcome aboard" : "Panonuza hoş geldiniz", "Welcome aboard %s" : "%s panonuza hoş geldiniz", + "You now have an %s account, you can add, protect, and share your data." : "%s hesabınız açıldı. Verilerinizi ekleyip koruyabilir ve paylaşabilirsiniz.", "Your username is: %s" : "Kullanıcı adınız: %s", "Set your password" : "Parolanızı ayarlayın", "Go to %s" : "%s sayfasına gidin", @@ -305,6 +306,8 @@ "Theming" : "Tema uygulama", "Check the security of your Nextcloud over our security scan" : "Güvenlik sınamamızdan geçirerek Nextcloud güvenliğinizi denetleyin", "Hardening and security guidance" : "Sağlamlaştırma ve güvenlik rehberliği", + "Personal" : "Kişisel", + "Administration" : "Yönetim", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Kullandığınız alan: <strong>%s</strong>. Kullanabileceğiniz alan: <strong>%s</strong>", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Kullandığınız: <strong>%s</strong> Kullanabileceğiniz: <strong>%s</strong> (<strong>%s %%</strong>)", "Profile picture" : "Profil görseli", |