diff options
author | Morris Jobke <hey@morrisjobke.de> | 2017-08-03 15:07:42 +0200 |
---|---|---|
committer | GitHub <noreply@github.com> | 2017-08-03 15:07:42 +0200 |
commit | ac4927809c2cf8d66c9f6aa84a7009b521a8d0d7 (patch) | |
tree | a2cec81b3b5da84a3462adff4e03a1f07ceb9321 /settings | |
parent | 7de9eb16d80d31162b5f3930daa45f8e0df45ccc (diff) | |
parent | bb865a55febe7b712a0e6cc7e1e93034f60a0e8b (diff) | |
download | nextcloud-server-ac4927809c2cf8d66c9f6aa84a7009b521a8d0d7.tar.gz nextcloud-server-ac4927809c2cf8d66c9f6aa84a7009b521a8d0d7.zip |
Merge branch 'master' into clean-settings-layout
Diffstat (limited to 'settings')
85 files changed, 670 insertions, 225 deletions
diff --git a/settings/BackgroundJobs/VerifyUserData.php b/settings/BackgroundJobs/VerifyUserData.php index 5e5b2b9c678..90f9e1fc678 100644 --- a/settings/BackgroundJobs/VerifyUserData.php +++ b/settings/BackgroundJobs/VerifyUserData.php @@ -87,7 +87,7 @@ class VerifyUserData extends Job { * run the job, then remove it from the jobList * * @param JobList $jobList - * @param ILogger $logger + * @param ILogger|null $logger */ public function execute($jobList, ILogger $logger = null) { diff --git a/settings/Controller/AuthSettingsController.php b/settings/Controller/AuthSettingsController.php index 7bb8a6654e6..7b68fc4c289 100644 --- a/settings/Controller/AuthSettingsController.php +++ b/settings/Controller/AuthSettingsController.php @@ -76,11 +76,11 @@ class AuthSettingsController extends Controller { * @NoAdminRequired * @NoSubadminRequired * - * @return JSONResponse + * @return JSONResponse|array */ public function index() { $user = $this->userManager->get($this->uid); - if (is_null($user)) { + if ($user === null) { return []; } $tokens = $this->tokenProvider->getTokenByUser($user); @@ -147,6 +147,9 @@ class AuthSettingsController extends Controller { ]); } + /** + * @return JSONResponse + */ private function getServiceNotAvailableResponse() { $resp = new JSONResponse(); $resp->setStatus(Http::STATUS_SERVICE_UNAVAILABLE); @@ -156,7 +159,7 @@ class AuthSettingsController extends Controller { /** * Return a 25 digit device password * - * Example: AbCdE-fGhIj-KlMnO-pQrSt-12345 + * Example: AbCdE-fGhJk-MnPqR-sTwXy-23456 * * @return string */ @@ -172,7 +175,7 @@ class AuthSettingsController extends Controller { * @NoAdminRequired * @NoSubadminRequired * - * @return JSONResponse + * @return array */ public function destroy($id) { $user = $this->userManager->get($this->uid); @@ -190,9 +193,10 @@ class AuthSettingsController extends Controller { * * @param int $id * @param array $scope + * @return array */ public function update($id, array $scope) { - $token = $this->tokenProvider->getTokenById($id); + $token = $this->tokenProvider->getTokenById((string)$id); $token->setScope([ 'filesystem' => $scope['filesystem'] ]); diff --git a/settings/Controller/CertificateController.php b/settings/Controller/CertificateController.php index 1cf9e03effb..c5f7e89f3fc 100644 --- a/settings/Controller/CertificateController.php +++ b/settings/Controller/CertificateController.php @@ -72,7 +72,7 @@ class CertificateController extends Controller { * * @NoAdminRequired * @NoSubadminRequired - * @return array + * @return DataResponse */ public function addPersonalRootCertificate() { return $this->addCertificate($this->userCertificateManager); @@ -114,7 +114,7 @@ class CertificateController extends Controller { $headers ); } catch (\Exception $e) { - return new DataResponse('An error occurred.', Http::STATUS_UNPROCESSABLE_ENTITY, $headers); + return new DataResponse(['An error occurred.'], Http::STATUS_UNPROCESSABLE_ENTITY, $headers); } } @@ -129,7 +129,7 @@ class CertificateController extends Controller { public function removePersonalRootCertificate($certificateIdentifier) { if ($this->isCertificateImportAllowed() === false) { - return new DataResponse('Individual certificate management disabled', Http::STATUS_FORBIDDEN); + return new DataResponse(['Individual certificate management disabled'], Http::STATUS_FORBIDDEN); } $this->userCertificateManager->removeCertificate($certificateIdentifier); @@ -156,7 +156,7 @@ class CertificateController extends Controller { /** * Add a new personal root certificate to the system's trust store * - * @return array + * @return DataResponse */ public function addSystemRootCertificate() { return $this->addCertificate($this->systemCertificateManager); @@ -171,7 +171,7 @@ class CertificateController extends Controller { public function removeSystemRootCertificate($certificateIdentifier) { if ($this->isCertificateImportAllowed() === false) { - return new DataResponse('Individual certificate management disabled', Http::STATUS_FORBIDDEN); + return new DataResponse(['Individual certificate management disabled'], Http::STATUS_FORBIDDEN); } $this->systemCertificateManager->removeCertificate($certificateIdentifier); diff --git a/settings/Controller/ChangePasswordController.php b/settings/Controller/ChangePasswordController.php index cb1a97386a6..a758180e858 100644 --- a/settings/Controller/ChangePasswordController.php +++ b/settings/Controller/ChangePasswordController.php @@ -22,6 +22,7 @@ namespace OC\Settings\Controller; use OC\HintException; +use OC\User\Session; use OCP\App\IAppManager; use OCP\AppFramework\Controller; use OCP\AppFramework\Http\JSONResponse; @@ -46,7 +47,7 @@ class ChangePasswordController extends Controller { /** @var IGroupManager */ private $groupManager; - /** @var IUserSession */ + /** @var Session */ private $userSession; /** @var IAppManager */ diff --git a/settings/Controller/UsersController.php b/settings/Controller/UsersController.php index 76394fcb6c6..4b03cf91a10 100644 --- a/settings/Controller/UsersController.php +++ b/settings/Controller/UsersController.php @@ -45,7 +45,6 @@ use OCP\Files\Config\IUserMountCache; use OCP\Encryption\IEncryptionModule; use OCP\Encryption\IManager; use OCP\IConfig; -use OCP\IGroupManager; use OCP\IL10N; use OCP\ILogger; use OCP\IRequest; @@ -71,7 +70,7 @@ class UsersController extends Controller { private $isAdmin; /** @var IUserManager */ private $userManager; - /** @var IGroupManager */ + /** @var \OC\Group\Manager */ private $groupManager; /** @var IConfig */ private $config; @@ -113,7 +112,7 @@ class UsersController extends Controller { * @param string $appName * @param IRequest $request * @param IUserManager $userManager - * @param IGroupManager $groupManager + * @param \OC\Group\Manager $groupManager * @param IUserSession $userSession * @param IConfig $config * @param bool $isAdmin @@ -136,7 +135,7 @@ class UsersController extends Controller { public function __construct($appName, IRequest $request, IUserManager $userManager, - IGroupManager $groupManager, + \OC\Group\Manager $groupManager, IUserSession $userSession, IConfig $config, $isAdmin, @@ -180,14 +179,14 @@ class UsersController extends Controller { $this->isEncryptionAppEnabled = $appManager->isEnabledForUser('encryption'); if ($this->isEncryptionAppEnabled) { // putting this directly in empty is possible in PHP 5.5+ - $result = $config->getAppValue('encryption', 'recoveryAdminEnabled', 0); + $result = $config->getAppValue('encryption', 'recoveryAdminEnabled', '0'); $this->isRestoreEnabled = !empty($result); } } /** * @param IUser $user - * @param array $userGroups + * @param array|null $userGroups * @return array */ private function formatUserForIndex(IUser $user, array $userGroups = null) { diff --git a/settings/Hooks.php b/settings/Hooks.php index 2cc5ce30bbe..115f62a9a2a 100644 --- a/settings/Hooks.php +++ b/settings/Hooks.php @@ -119,7 +119,7 @@ class Hooks { if ($user->getEMailAddress() !== null) { $template = $this->mailer->createEMailTemplate(); $template->addHeader(); - $template->addHeading($this->l->t('Password changed for %s', $user->getDisplayName()), false); + $template->addHeading($this->l->t('Password changed for %s', [$user->getDisplayName()]), false); $template->addBodyText($text . ' ' . $this->l->t('If you did not request this, please contact an administrator.')); $template->addFooter(); @@ -185,10 +185,10 @@ class Hooks { if ($oldMailAddress !== null) { $template = $this->mailer->createEMailTemplate(); $template->addHeader(); - $template->addHeading($this->l->t('Email address changed for %s', $user->getDisplayName()), false); + $template->addHeading($this->l->t('Email address changed for %s', [$user->getDisplayName()]), false); $template->addBodyText($text . ' ' . $this->l->t('If you did not request this, please contact an administrator.')); if ($user->getEMailAddress()) { - $template->addBodyText($this->l->t('The new email address is %s', $user->getEMailAddress())); + $template->addBodyText($this->l->t('The new email address is %s', [$user->getEMailAddress()])); } $template->addFooter(); diff --git a/settings/Middleware/SubadminMiddleware.php b/settings/Middleware/SubadminMiddleware.php index df34b80656b..9914d65af02 100644 --- a/settings/Middleware/SubadminMiddleware.php +++ b/settings/Middleware/SubadminMiddleware.php @@ -27,6 +27,7 @@ namespace OC\Settings\Middleware; use OC\AppFramework\Http; use OC\AppFramework\Middleware\Security\Exceptions\NotAdminException; use OC\AppFramework\Utility\ControllerMethodReflector; +use OCP\AppFramework\Controller; use OCP\AppFramework\Http\TemplateResponse; use OCP\AppFramework\Middleware; @@ -54,7 +55,7 @@ class SubadminMiddleware extends Middleware { /** * Check if sharing is enabled before the controllers is executed - * @param \OCP\AppFramework\Controller $controller + * @param Controller $controller * @param string $methodName * @throws \Exception */ @@ -68,7 +69,7 @@ class SubadminMiddleware extends Middleware { /** * Return 403 page in case of an exception - * @param \OCP\AppFramework\Controller $controller + * @param Controller $controller * @param string $methodName * @param \Exception $exception * @return TemplateResponse diff --git a/settings/ajax/togglesubadmins.php b/settings/ajax/togglesubadmins.php index 5658a382410..c9cc078ed09 100644 --- a/settings/ajax/togglesubadmins.php +++ b/settings/ajax/togglesubadmins.php @@ -39,8 +39,8 @@ $targetUserObject = \OC::$server->getUserManager()->get($username); $targetGroupObject = \OC::$server->getGroupManager()->get($group); $isSubAdminOfGroup = false; -if($targetUserObject !== null && $targetUserObject !== null) { - $isSubAdminOfGroup = $subAdminManager->isSubAdminofGroup($targetUserObject, $targetGroupObject); +if($targetUserObject !== null && $targetGroupObject !== null) { + $isSubAdminOfGroup = $subAdminManager->isSubAdminOfGroup($targetUserObject, $targetGroupObject); } // Toggle group diff --git a/settings/ajax/uninstallapp.php b/settings/ajax/uninstallapp.php index 0e68a893ef4..79109600a39 100644 --- a/settings/ajax/uninstallapp.php +++ b/settings/ajax/uninstallapp.php @@ -47,5 +47,5 @@ if($result !== false) { OC_JSON::success(array('data' => array('appid' => $appId))); } else { $l = \OC::$server->getL10N('settings'); - OC_JSON::error(array("data" => array( "message" => $l->t("Couldn't remove app.") ))); + OC_JSON::error(array('data' => array( 'message' => $l->t("Couldn't remove app.") ))); } diff --git a/settings/ajax/updateapp.php b/settings/ajax/updateapp.php index bcf8e149140..b398e41033b 100644 --- a/settings/ajax/updateapp.php +++ b/settings/ajax/updateapp.php @@ -51,7 +51,7 @@ try { $config->setSystemValue('maintenance', false); } catch(Exception $ex) { $config->setSystemValue('maintenance', false); - OC_JSON::error(array("data" => array( "message" => $ex->getMessage() ))); + OC_JSON::error(array('data' => array( 'message' => $ex->getMessage() ))); return; } @@ -59,5 +59,5 @@ if($result !== false) { OC_JSON::success(array('data' => array('appid' => $appId))); } else { $l = \OC::$server->getL10N('settings'); - OC_JSON::error(array("data" => array( "message" => $l->t("Couldn't update app.") ))); + OC_JSON::error(array('data' => array( 'message' => $l->t("Couldn't update app.") ))); } diff --git a/settings/js/apps.js b/settings/js/apps.js index 957ad395f94..278c307b1f3 100644 --- a/settings/js/apps.js +++ b/settings/js/apps.js @@ -479,7 +479,7 @@ OC.Settings.Apps = OC.Settings.Apps || { $.post(OC.webroot + '/index.php/disableapp', {appid: appId}, function() { OC.Settings.Apps.showErrorMessage( appId, - t('settings', 'Error: this app cannot be enabled because it makes the server unstable') + t('settings', 'Error: This app can not be enabled because it makes the server unstable') ); appItems.forEach(function(appItem) { appItem.data('errormsg', t('settings', 'Error while enabling app')); @@ -493,7 +493,7 @@ OC.Settings.Apps = OC.Settings.Apps || { }).fail(function() { OC.Settings.Apps.showErrorMessage( appId, - t('settings', 'Error: could not disable broken app') + t('settings', 'Error: Could not disable broken app') ); appItems.forEach(function(appItem) { appItem.data('errormsg', t('settings', 'Error while disabling broken app')); diff --git a/settings/js/federationsettingsview.js b/settings/js/federationsettingsview.js index d5537d19404..46d92027a97 100644 --- a/settings/js/federationsettingsview.js +++ b/settings/js/federationsettingsview.js @@ -182,7 +182,7 @@ var $icon = this.$('#' + field + 'form > h2 > span'); $icon.removeClass('icon-password'); - $icon.removeClass('icon-contacts-dark'); + $icon.removeClass('icon-contacts'); $icon.removeClass('icon-link'); $icon.addClass('hidden'); @@ -192,7 +192,7 @@ $icon.removeClass('hidden'); break; case 'contacts': - $icon.addClass('icon-contacts-dark'); + $icon.addClass('icon-contacts'); $icon.removeClass('hidden'); break; case 'public': diff --git a/settings/js/settings/personalInfo.js b/settings/js/settings/personalInfo.js index 306994a7094..89b37d291c5 100644 --- a/settings/js/settings/personalInfo.js +++ b/settings/js/settings/personalInfo.js @@ -169,7 +169,6 @@ $(document).ready(function () { if (data.status === "success") { $("#passwordbutton").after("<span class='checkmark icon icon-checkmark password-state'></span>"); removeloader(); - $(".personal-show-label").show(); $('#pass1').val(''); $('#pass2').val('').change(); } @@ -185,6 +184,7 @@ $(document).ready(function () { } ); } + $(".personal-show-label").show(); $(".password-loading").remove(); $("#passwordbutton").removeAttr('disabled'); }); diff --git a/settings/l10n/ast.js b/settings/l10n/ast.js index 7556af94637..0cb73145543 100644 --- a/settings/l10n/ast.js +++ b/settings/l10n/ast.js @@ -74,8 +74,6 @@ OC.L10N.register( "Enable" : "Activar", "Enabling app …" : "Habilitando aplicación...", "Error while enabling app" : "Fallu mientres s'activaba l'aplicación", - "Error: this app cannot be enabled because it makes the server unstable" : "Fallu: esta aplicación nun pue habilitase porque fadrá inestable'l sirvidor", - "Error: could not disable broken app" : "Fallu: nun pudo deshabilitase l'aplicación rota", "Error while disabling broken app" : "Fallu entrín se deshabilitaba l'aplicación rota", "Updating...." : "Anovando....", "Error while updating app" : "Fallu mientres s'anovaba l'aplicación", diff --git a/settings/l10n/ast.json b/settings/l10n/ast.json index eed8bae1e4a..9f6c11d7614 100644 --- a/settings/l10n/ast.json +++ b/settings/l10n/ast.json @@ -72,8 +72,6 @@ "Enable" : "Activar", "Enabling app …" : "Habilitando aplicación...", "Error while enabling app" : "Fallu mientres s'activaba l'aplicación", - "Error: this app cannot be enabled because it makes the server unstable" : "Fallu: esta aplicación nun pue habilitase porque fadrá inestable'l sirvidor", - "Error: could not disable broken app" : "Fallu: nun pudo deshabilitase l'aplicación rota", "Error while disabling broken app" : "Fallu entrín se deshabilitaba l'aplicación rota", "Updating...." : "Anovando....", "Error while updating app" : "Fallu mientres s'anovaba l'aplicación", diff --git a/settings/l10n/ca.js b/settings/l10n/ca.js index 5fc789290f3..da37e1e3048 100644 --- a/settings/l10n/ca.js +++ b/settings/l10n/ca.js @@ -7,6 +7,7 @@ OC.L10N.register( "{actor} changed your email address" : "{actor} va canviar la seva adreça d\\'email", "You changed your email address" : "Has canviat el teu email", "Your email address was changed by an administrator" : "La seva adreça d'email s\\'ha canviat per un administrador", + "Security" : "Seguretat", "Your <strong>password</strong> or <strong>email</strong> was modified" : "La teva <strong>contrasenya</strong> o <strong>email</strong> s'ha modificat", "Your apps" : "Les teves apps", "Enabled apps" : "Apps activades", @@ -27,11 +28,14 @@ OC.L10N.register( "Unable to delete group." : "No es pot esborrar el grup.", "Invalid SMTP password." : "Contrasenya SMTP no vàlida.", "Well done, %s!" : "Ben fet, %s!", + "Email setting test" : "Prova de l'arranjament del correu", + "Email could not be sent. Check your mail server log" : "No s'ha pogut enviar el correu. Revisa el registre del servidor de correu", "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Hi ha hagut un problema en enviar el correu. Revisi la seva configuració. (Error: %s)", "You need to set your user email before being able to send test emails." : "Heu d'establir un nom d'usuari abans de poder enviar correus de prova.", "Invalid mail address" : "Adreça de correu invàlida", "No valid group selected" : "No s'ha seleccionat un grup vàlid", "A user with that name already exists." : "Ja existeix un usuari amb est nom.", + "To send a password link to the user an email address is required." : "Per enviar una contrasenya a l'usuari cal una adreça de correu.", "Unable to create user." : "No es pot crear el usuari.", "Unable to delete user." : "No es pot eliminar l'usuari", "Error while enabling user." : "Error activant usuari.", @@ -77,23 +81,31 @@ OC.L10N.register( "Official" : "Oficial", "All" : "Tots", "Update to %s" : "Actualitzar a %s", + "_You have %n app update pending_::_You have %n app updates pending_" : ["Tens %n aplicació pendent d'actualitzar","Tens %n aplicacions pendents d'actualitzar"], "No apps found for your version" : "No s'han trobat aplicacions per la seva versió", "The app will be downloaded from the app store" : "L'app es descarregarà des de la botiga d'apps", + "Disabling app …" : "Desactivant l'aplicacio ...", "Error while disabling app" : "Error en desactivar l'aplicació", "Disable" : "Desactiva", "Enable" : "Habilita", "Enabling app …" : "Activant aplicació...", "Error while enabling app" : "Error en activar l'aplicació", + "Error: This app can not be enabled because it makes the server unstable" : "Error: No es pot activar l'aplicació perquè tornaria el servidor inestable", + "Error: Could not disable broken app" : "Error: no s'ha pogut desactivar l'aplicació trencada", + "Error while disabling broken app" : "Error en desactivar l'aplicació trencada", "Updating...." : "Actualitzant...", "Error while updating app" : "Error en actualitzar l'aplicació", "Updated" : "Actualitzada", "Removing …" : "Treient ...", "Error while removing app" : "Error treient app", "Remove" : "Treure", + "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "S'ha activat l'aplicació però necessita actualitzar-se. Seràs redirigit a la pàgina d'actualització d'aquí a 5 segons.", "App update" : "Actualització de la App", "Approved" : "Aprovat", "Experimental" : "Experimental", + "No apps found for {query}" : "No s'han trobat aplicacions per a {query}", "Enable all" : "Permetre tots", + "Allow filesystem access" : "Peret accés al sistema de fitxers", "Disconnect" : "Desconnecta", "Revoke" : "Revocar", "Internet Explorer" : "Internet Explorer", @@ -114,6 +126,9 @@ OC.L10N.register( "Press ⌘-C to copy." : "Prem ⌘-C per copiar.", "Press Ctrl-C to copy." : "Prem Ctrl-C per copiar.", "Error while loading browser sessions and device tokens" : "Error durant la càrrega de les sessions del navegador i testimonis de dispositius", + "Error while creating device token" : "Error al crear el testimoni de dispositiu", + "Error while deleting the token" : "Error al esborrar el testimoni", + "An error occurred. Please upload an ASCII-encoded PEM certificate." : "S'ha produït un error. Si us plau, puja un certificat PEM codificat en ASCII.", "Valid until {date}" : "Vàlid fins {date}", "Delete" : "Esborra", "Local" : "Local", @@ -121,6 +136,7 @@ OC.L10N.register( "Only visible to local users" : "Només visible per a usuaris locals", "Only visible to you" : "Només visible per tu", "Contacts" : "Contactes", + "Visible to local users and to trusted servers" : "Visible per als usuaris locals i els servidors de confiança", "Public" : "Públic", "Verify" : "Verificar", "Verifying …" : "Verificant ...", @@ -136,8 +152,10 @@ OC.L10N.register( "A valid group name must be provided" : "Heu de facilitar un nom de grup vàlid", "deleted {groupName}" : "eliminat {groupName}", "undo" : "desfés", + "{size} used" : "{size} utilitzat", "never" : "mai", "deleted {userName}" : "eliminat {userName}", + "No user found for <strong>{pattern}</strong>" : "No s'ha trobat cap usuari per a <strong>{pattern}</strong>", "Unable to add user to group {group}" : "No es pot afegir l'usuari al grup {group}", "Unable to remove user from group {group}" : "No es pot eliminar l'usuari del grup {group}", "Add group" : "Afegeix grup", @@ -149,11 +167,13 @@ OC.L10N.register( "A valid password must be provided" : "Heu de facilitar una contrasenya vàlida", "A valid email must be provided" : "S'ha de subministrar una adreça de correu electrònic vàlida", "Developer documentation" : "Documentació para desenvolupadors", + "View in store" : "Veure al repositori", "Limit to groups" : "Limitar per grups", "This app has an update available." : "Aquesta aplicació té una actualització disponible.", "by %s" : "per %s", "Documentation:" : "Documentació:", "User documentation" : "Documentació d'usuari", + "Admin documentation" : "Documentació d'administrador", "Visit website" : "Visita el lloc web", "Report a bug" : "Reportar un error", "Show description …" : "Mostrar descripció...", @@ -202,6 +222,10 @@ OC.L10N.register( "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Això probablement està provocat per una cau/accelerador com Zend OPcache o eAccelerator.", "System locale can not be set to a one which supports UTF-8." : "No s'ha pogut establir cap localització del sistema amb suport per UTF-8.", "All checks passed." : "Totes les comprovacions correctes.", + "Background jobs" : "Tasques en segon pla", + "Last job ran %s." : "L'última tasca es va executar %s.", + "Last job execution ran %s. Something seems wrong." : "L'última tasca es va executar %s. Alguna cosa sembla malament.", + "Background job didn’t run yet!" : "Les tasques en segon pla encara no s'han executat!", "Execute one task with each page loaded" : "Executa una tasca per cada paquet carregat", "Version" : "Versió", "Sharing" : "Compartir", @@ -284,6 +308,7 @@ OC.L10N.register( "Group admin for" : "Administrador de grup per", "Quota" : "Quota", "Storage location" : "Ubicació de l'emmagatzemament", + "User backend" : "Backend d'usuari", "Last login" : "Últim accés", "change full name" : "canvia el nom complet", "set new password" : "estableix nova contrasenya", @@ -331,7 +356,10 @@ OC.L10N.register( "iOS app" : "aplicació para iOS", "Show First Run Wizard again" : "Torna a mostrar l'assistent de primera execució", "Name" : "Nom", + "Follow us on Google Plus!" : "Segueix-nos al Google Plus!", "Show last log in" : "Mostrar l'últim accés", - "Verifying" : "Verificant" + "Verifying" : "Verificant", + "Follow us on Google+!" : "Segueix-nos al Google+!", + "Follow us on Twitter!" : "Segueix-nos al Twitter!" }, "nplurals=2; plural=(n != 1);"); diff --git a/settings/l10n/ca.json b/settings/l10n/ca.json index bd53ddb8a36..5052af0210a 100644 --- a/settings/l10n/ca.json +++ b/settings/l10n/ca.json @@ -5,6 +5,7 @@ "{actor} changed your email address" : "{actor} va canviar la seva adreça d\\'email", "You changed your email address" : "Has canviat el teu email", "Your email address was changed by an administrator" : "La seva adreça d'email s\\'ha canviat per un administrador", + "Security" : "Seguretat", "Your <strong>password</strong> or <strong>email</strong> was modified" : "La teva <strong>contrasenya</strong> o <strong>email</strong> s'ha modificat", "Your apps" : "Les teves apps", "Enabled apps" : "Apps activades", @@ -25,11 +26,14 @@ "Unable to delete group." : "No es pot esborrar el grup.", "Invalid SMTP password." : "Contrasenya SMTP no vàlida.", "Well done, %s!" : "Ben fet, %s!", + "Email setting test" : "Prova de l'arranjament del correu", + "Email could not be sent. Check your mail server log" : "No s'ha pogut enviar el correu. Revisa el registre del servidor de correu", "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Hi ha hagut un problema en enviar el correu. Revisi la seva configuració. (Error: %s)", "You need to set your user email before being able to send test emails." : "Heu d'establir un nom d'usuari abans de poder enviar correus de prova.", "Invalid mail address" : "Adreça de correu invàlida", "No valid group selected" : "No s'ha seleccionat un grup vàlid", "A user with that name already exists." : "Ja existeix un usuari amb est nom.", + "To send a password link to the user an email address is required." : "Per enviar una contrasenya a l'usuari cal una adreça de correu.", "Unable to create user." : "No es pot crear el usuari.", "Unable to delete user." : "No es pot eliminar l'usuari", "Error while enabling user." : "Error activant usuari.", @@ -75,23 +79,31 @@ "Official" : "Oficial", "All" : "Tots", "Update to %s" : "Actualitzar a %s", + "_You have %n app update pending_::_You have %n app updates pending_" : ["Tens %n aplicació pendent d'actualitzar","Tens %n aplicacions pendents d'actualitzar"], "No apps found for your version" : "No s'han trobat aplicacions per la seva versió", "The app will be downloaded from the app store" : "L'app es descarregarà des de la botiga d'apps", + "Disabling app …" : "Desactivant l'aplicacio ...", "Error while disabling app" : "Error en desactivar l'aplicació", "Disable" : "Desactiva", "Enable" : "Habilita", "Enabling app …" : "Activant aplicació...", "Error while enabling app" : "Error en activar l'aplicació", + "Error: This app can not be enabled because it makes the server unstable" : "Error: No es pot activar l'aplicació perquè tornaria el servidor inestable", + "Error: Could not disable broken app" : "Error: no s'ha pogut desactivar l'aplicació trencada", + "Error while disabling broken app" : "Error en desactivar l'aplicació trencada", "Updating...." : "Actualitzant...", "Error while updating app" : "Error en actualitzar l'aplicació", "Updated" : "Actualitzada", "Removing …" : "Treient ...", "Error while removing app" : "Error treient app", "Remove" : "Treure", + "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "S'ha activat l'aplicació però necessita actualitzar-se. Seràs redirigit a la pàgina d'actualització d'aquí a 5 segons.", "App update" : "Actualització de la App", "Approved" : "Aprovat", "Experimental" : "Experimental", + "No apps found for {query}" : "No s'han trobat aplicacions per a {query}", "Enable all" : "Permetre tots", + "Allow filesystem access" : "Peret accés al sistema de fitxers", "Disconnect" : "Desconnecta", "Revoke" : "Revocar", "Internet Explorer" : "Internet Explorer", @@ -112,6 +124,9 @@ "Press ⌘-C to copy." : "Prem ⌘-C per copiar.", "Press Ctrl-C to copy." : "Prem Ctrl-C per copiar.", "Error while loading browser sessions and device tokens" : "Error durant la càrrega de les sessions del navegador i testimonis de dispositius", + "Error while creating device token" : "Error al crear el testimoni de dispositiu", + "Error while deleting the token" : "Error al esborrar el testimoni", + "An error occurred. Please upload an ASCII-encoded PEM certificate." : "S'ha produït un error. Si us plau, puja un certificat PEM codificat en ASCII.", "Valid until {date}" : "Vàlid fins {date}", "Delete" : "Esborra", "Local" : "Local", @@ -119,6 +134,7 @@ "Only visible to local users" : "Només visible per a usuaris locals", "Only visible to you" : "Només visible per tu", "Contacts" : "Contactes", + "Visible to local users and to trusted servers" : "Visible per als usuaris locals i els servidors de confiança", "Public" : "Públic", "Verify" : "Verificar", "Verifying …" : "Verificant ...", @@ -134,8 +150,10 @@ "A valid group name must be provided" : "Heu de facilitar un nom de grup vàlid", "deleted {groupName}" : "eliminat {groupName}", "undo" : "desfés", + "{size} used" : "{size} utilitzat", "never" : "mai", "deleted {userName}" : "eliminat {userName}", + "No user found for <strong>{pattern}</strong>" : "No s'ha trobat cap usuari per a <strong>{pattern}</strong>", "Unable to add user to group {group}" : "No es pot afegir l'usuari al grup {group}", "Unable to remove user from group {group}" : "No es pot eliminar l'usuari del grup {group}", "Add group" : "Afegeix grup", @@ -147,11 +165,13 @@ "A valid password must be provided" : "Heu de facilitar una contrasenya vàlida", "A valid email must be provided" : "S'ha de subministrar una adreça de correu electrònic vàlida", "Developer documentation" : "Documentació para desenvolupadors", + "View in store" : "Veure al repositori", "Limit to groups" : "Limitar per grups", "This app has an update available." : "Aquesta aplicació té una actualització disponible.", "by %s" : "per %s", "Documentation:" : "Documentació:", "User documentation" : "Documentació d'usuari", + "Admin documentation" : "Documentació d'administrador", "Visit website" : "Visita el lloc web", "Report a bug" : "Reportar un error", "Show description …" : "Mostrar descripció...", @@ -200,6 +220,10 @@ "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Això probablement està provocat per una cau/accelerador com Zend OPcache o eAccelerator.", "System locale can not be set to a one which supports UTF-8." : "No s'ha pogut establir cap localització del sistema amb suport per UTF-8.", "All checks passed." : "Totes les comprovacions correctes.", + "Background jobs" : "Tasques en segon pla", + "Last job ran %s." : "L'última tasca es va executar %s.", + "Last job execution ran %s. Something seems wrong." : "L'última tasca es va executar %s. Alguna cosa sembla malament.", + "Background job didn’t run yet!" : "Les tasques en segon pla encara no s'han executat!", "Execute one task with each page loaded" : "Executa una tasca per cada paquet carregat", "Version" : "Versió", "Sharing" : "Compartir", @@ -282,6 +306,7 @@ "Group admin for" : "Administrador de grup per", "Quota" : "Quota", "Storage location" : "Ubicació de l'emmagatzemament", + "User backend" : "Backend d'usuari", "Last login" : "Últim accés", "change full name" : "canvia el nom complet", "set new password" : "estableix nova contrasenya", @@ -329,7 +354,10 @@ "iOS app" : "aplicació para iOS", "Show First Run Wizard again" : "Torna a mostrar l'assistent de primera execució", "Name" : "Nom", + "Follow us on Google Plus!" : "Segueix-nos al Google Plus!", "Show last log in" : "Mostrar l'últim accés", - "Verifying" : "Verificant" + "Verifying" : "Verificant", + "Follow us on Google+!" : "Segueix-nos al Google+!", + "Follow us on Twitter!" : "Segueix-nos al Twitter!" },"pluralForm" :"nplurals=2; plural=(n != 1);" }
\ No newline at end of file diff --git a/settings/l10n/cs.js b/settings/l10n/cs.js index a2dfffa7d0b..d4ef3099ab9 100644 --- a/settings/l10n/cs.js +++ b/settings/l10n/cs.js @@ -101,8 +101,8 @@ OC.L10N.register( "Enable" : "Povolit", "Enabling app …" : "Povolování aplikace …", "Error while enabling app" : "Chyba při povolování aplikace", - "Error: this app cannot be enabled because it makes the server unstable" : "Chyba: tuto aplikaci nelze zapnout, protože způsobuje nestabilitu serveru", - "Error: could not disable broken app" : "Chyba: nezdařilo se vypnout rozbitou aplikaci", + "Error: This app can not be enabled because it makes the server unstable" : "Chyba: tuto aplikaci nelze zapnout, protože způsobuje nestabilitu serveru", + "Error: Could not disable broken app" : "Chyba: nezdařilo se vypnout rozbitou aplikaci", "Error while disabling broken app" : "Chyba při vypínání rozbité aplikace", "Updating...." : "Aktualizuji...", "Error while updating app" : "Chyba při aktualizaci aplikace", @@ -249,7 +249,6 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Musíte přenést své šifrovací klíče ze staré verze šifrování (ownCloud <= 8.0) na novou.", "Start migration" : "Spustit migraci", "Security & setup warnings" : "Upozornění zabezpečení a nastavení", - "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." : "Pro optimální zabezpečení a výkon instance je důležitě, aby vše bylo správně nakonfigurováno. Abychom vám v tom pomohli, automaticky ověřujeme některá nastavení. Pro více informací nahlédněte do sekce Tipy a Triky a do dokumentace.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP není nejspíše správně nastaveno pro dotazování na proměnné hodnoty systému. Test s getenv(\"PATH\") vrací pouze prázdnou odpověď.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Zkontrolujte prosím konfiguraci PHP podle <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">instalační dokumentace ↗</a>, hlavně při použití php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Konfigurace je nastavena pouze pro čtení. Toto znemožňuje některá nastavení přes webové rozhraní. Dále musí být pro každou změnu povolen zápis do konfiguračního souboru ručně.", @@ -354,6 +353,7 @@ OC.L10N.register( "Like our Facebook page" : "Stejně jako naše stránky na Facebooku", "Follow us on Twitter" : "Sledujte nás na Twitteru", "Check out our blog" : "Podívejte se na náš blog", + "Subscribe to our newsletter" : "Odebírejte náš newsletter", "Settings" : "Nastavení", "Show storage location" : "Cesta k datům", "Show user backend" : "Zobrazit vedení uživatelů", @@ -439,6 +439,7 @@ OC.L10N.register( "Subscribe to our newsletter!" : "Odebírejte náš newsletter!", "Show last log in" : "Poslední přihlášení", "Verifying" : "Ověřování", + "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." : "Pro optimální zabezpečení a výkon instance je důležitě, aby vše bylo správně nakonfigurováno. Abychom vám v tom pomohli, automaticky ověřujeme některá nastavení. Pro více informací nahlédněte do sekce Tipy a Triky a do dokumentace.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP modul 'fileinfo' chybí. Velmi ho kvůli lepším výsledkům detekce MIME typu souburu doporučujeme povolit.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Weboví, desktopoví a mobilní klienti a hesla v aplikacích, která aktuálně mají přístup k vašemu účtu.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Zde můžete vytvořit hesla pro jednotlivé aplikace, takže nemusíte sdělovat vaše heslo. Také je zde můžete kdykoliv zneplatnit.", diff --git a/settings/l10n/cs.json b/settings/l10n/cs.json index 9917ff03eeb..5111c5b57e6 100644 --- a/settings/l10n/cs.json +++ b/settings/l10n/cs.json @@ -99,8 +99,8 @@ "Enable" : "Povolit", "Enabling app …" : "Povolování aplikace …", "Error while enabling app" : "Chyba při povolování aplikace", - "Error: this app cannot be enabled because it makes the server unstable" : "Chyba: tuto aplikaci nelze zapnout, protože způsobuje nestabilitu serveru", - "Error: could not disable broken app" : "Chyba: nezdařilo se vypnout rozbitou aplikaci", + "Error: This app can not be enabled because it makes the server unstable" : "Chyba: tuto aplikaci nelze zapnout, protože způsobuje nestabilitu serveru", + "Error: Could not disable broken app" : "Chyba: nezdařilo se vypnout rozbitou aplikaci", "Error while disabling broken app" : "Chyba při vypínání rozbité aplikace", "Updating...." : "Aktualizuji...", "Error while updating app" : "Chyba při aktualizaci aplikace", @@ -247,7 +247,6 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Musíte přenést své šifrovací klíče ze staré verze šifrování (ownCloud <= 8.0) na novou.", "Start migration" : "Spustit migraci", "Security & setup warnings" : "Upozornění zabezpečení a nastavení", - "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." : "Pro optimální zabezpečení a výkon instance je důležitě, aby vše bylo správně nakonfigurováno. Abychom vám v tom pomohli, automaticky ověřujeme některá nastavení. Pro více informací nahlédněte do sekce Tipy a Triky a do dokumentace.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP není nejspíše správně nastaveno pro dotazování na proměnné hodnoty systému. Test s getenv(\"PATH\") vrací pouze prázdnou odpověď.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Zkontrolujte prosím konfiguraci PHP podle <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">instalační dokumentace ↗</a>, hlavně při použití php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Konfigurace je nastavena pouze pro čtení. Toto znemožňuje některá nastavení přes webové rozhraní. Dále musí být pro každou změnu povolen zápis do konfiguračního souboru ručně.", @@ -352,6 +351,7 @@ "Like our Facebook page" : "Stejně jako naše stránky na Facebooku", "Follow us on Twitter" : "Sledujte nás na Twitteru", "Check out our blog" : "Podívejte se na náš blog", + "Subscribe to our newsletter" : "Odebírejte náš newsletter", "Settings" : "Nastavení", "Show storage location" : "Cesta k datům", "Show user backend" : "Zobrazit vedení uživatelů", @@ -437,6 +437,7 @@ "Subscribe to our newsletter!" : "Odebírejte náš newsletter!", "Show last log in" : "Poslední přihlášení", "Verifying" : "Ověřování", + "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." : "Pro optimální zabezpečení a výkon instance je důležitě, aby vše bylo správně nakonfigurováno. Abychom vám v tom pomohli, automaticky ověřujeme některá nastavení. Pro více informací nahlédněte do sekce Tipy a Triky a do dokumentace.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP modul 'fileinfo' chybí. Velmi ho kvůli lepším výsledkům detekce MIME typu souburu doporučujeme povolit.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Weboví, desktopoví a mobilní klienti a hesla v aplikacích, která aktuálně mají přístup k vašemu účtu.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Zde můžete vytvořit hesla pro jednotlivé aplikace, takže nemusíte sdělovat vaše heslo. Také je zde můžete kdykoliv zneplatnit.", diff --git a/settings/l10n/de.js b/settings/l10n/de.js index 04e58fe0f40..823eb439b96 100644 --- a/settings/l10n/de.js +++ b/settings/l10n/de.js @@ -101,8 +101,8 @@ OC.L10N.register( "Enable" : "Aktivieren", "Enabling app …" : "Aktiviere App…", "Error while enabling app" : "Beim Aktivieren der App ist ein Fehler aufgetreten", - "Error: this app cannot be enabled because it makes the server unstable" : "Fehler: Diese App kann nicht aktiviert werden, da es den Server instabil macht.", - "Error: could not disable broken app" : "Fehler: Die beschädigte Anwendung konnte nicht deaktiviert werden", + "Error: This app can not be enabled because it makes the server unstable" : "ehler: Diese App kann nicht aktiviert werden, da sie den Server instabil macht. ", + "Error: Could not disable broken app" : " Fehler: Die beschädigte Anwendung konnte nicht deaktiviert werden ", "Error while disabling broken app" : "Beim Deaktivieren der defekten App ist ein Fehler aufgetreten", "Updating...." : "Aktualisiere…", "Error while updating app" : "Es ist ein Fehler während der Aktualisierung der App aufgetreten", @@ -249,7 +249,7 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Du musst Deinen Verschlüsselungsschlüssel von der alten Verschlüsselung (ownCloud <= 8.0) zur Neuen migrieren.", "Start migration" : "Migration beginnen", "Security & setup warnings" : "Sicherheits- & Einrichtungswarnungen", - "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.", + "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 & Tricks 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.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP scheint zur Abfrage von Systemumgebungsvariablen nicht richtig eingerichtet zu sein. Der Test mit getenv(\"PATH\") liefert nur eine leere Antwort zurück.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Bitte die <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">Installationsdokumentation ↗</a> auf Hinweise zur PHP-Konfiguration durchlesen, sowie die PHP-Konfiguration Deines Servers überprüfen, insbesondere dann, wenn PHP-FPM eingesetzt wird.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Die schreibgeschützte Konfiguration wurde aktiviert. Dies verhindert das Setzen einiger Einstellungen über die Web-Schnittstelle. Weiterhin muss bei jedem Update der Schreibzugriff auf die Datei händisch aktiviert werden.", @@ -440,6 +440,7 @@ OC.L10N.register( "Subscribe to our newsletter!" : "Abonniere unseren Newsletter!", "Show last log in" : "Letzte Anmeldung anzeigen", "Verifying" : "Überprüfe", + "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.", diff --git a/settings/l10n/de.json b/settings/l10n/de.json index eb60e163cf4..53c36dcf905 100644 --- a/settings/l10n/de.json +++ b/settings/l10n/de.json @@ -99,8 +99,8 @@ "Enable" : "Aktivieren", "Enabling app …" : "Aktiviere App…", "Error while enabling app" : "Beim Aktivieren der App ist ein Fehler aufgetreten", - "Error: this app cannot be enabled because it makes the server unstable" : "Fehler: Diese App kann nicht aktiviert werden, da es den Server instabil macht.", - "Error: could not disable broken app" : "Fehler: Die beschädigte Anwendung konnte nicht deaktiviert werden", + "Error: This app can not be enabled because it makes the server unstable" : "ehler: Diese App kann nicht aktiviert werden, da sie den Server instabil macht. ", + "Error: Could not disable broken app" : " Fehler: Die beschädigte Anwendung konnte nicht deaktiviert werden ", "Error while disabling broken app" : "Beim Deaktivieren der defekten App ist ein Fehler aufgetreten", "Updating...." : "Aktualisiere…", "Error while updating app" : "Es ist ein Fehler während der Aktualisierung der App aufgetreten", @@ -247,7 +247,7 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Du musst Deinen Verschlüsselungsschlüssel von der alten Verschlüsselung (ownCloud <= 8.0) zur Neuen migrieren.", "Start migration" : "Migration beginnen", "Security & setup warnings" : "Sicherheits- & Einrichtungswarnungen", - "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.", + "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 & Tricks 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.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP scheint zur Abfrage von Systemumgebungsvariablen nicht richtig eingerichtet zu sein. Der Test mit getenv(\"PATH\") liefert nur eine leere Antwort zurück.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Bitte die <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">Installationsdokumentation ↗</a> auf Hinweise zur PHP-Konfiguration durchlesen, sowie die PHP-Konfiguration Deines Servers überprüfen, insbesondere dann, wenn PHP-FPM eingesetzt wird.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Die schreibgeschützte Konfiguration wurde aktiviert. Dies verhindert das Setzen einiger Einstellungen über die Web-Schnittstelle. Weiterhin muss bei jedem Update der Schreibzugriff auf die Datei händisch aktiviert werden.", @@ -438,6 +438,7 @@ "Subscribe to our newsletter!" : "Abonniere unseren Newsletter!", "Show last log in" : "Letzte Anmeldung anzeigen", "Verifying" : "Überprüfe", + "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.", diff --git a/settings/l10n/de_DE.js b/settings/l10n/de_DE.js index 2be7d671feb..51d2b423e14 100644 --- a/settings/l10n/de_DE.js +++ b/settings/l10n/de_DE.js @@ -101,8 +101,8 @@ OC.L10N.register( "Enable" : "Aktivieren", "Enabling app …" : "Aktiviere App…", "Error while enabling app" : "Beim Aktivieren der App ist ein Fehler aufgetreten", - "Error: this app cannot be enabled because it makes the server unstable" : "Fehler: Diese App kann nicht aktiviert werden, da es den Server instabil macht.", - "Error: could not disable broken app" : "Fehler: Die beschädigte Anwendung konnte nicht deaktiviert werden", + "Error: This app can not be enabled because it makes the server unstable" : "ehler: Diese App kann nicht aktiviert werden, da sie den Server instabil macht. ", + "Error: Could not disable broken app" : " Fehler: Die beschädigte Anwendung konnte nicht deaktiviert werden ", "Error while disabling broken app" : "Beim Deaktivieren der defekten App ist ein Fehler aufgetreten", "Updating...." : "Aktualisiere…", "Error while updating app" : "Es ist ein Fehler während der Aktualisierung der App aufgetreten", @@ -249,7 +249,7 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Sie müssen Ihre Verschlüsselungsschlüssel von der alten Verschlüsselung (ownCloud <= 8.0) zur Neuen migrieren.", "Start migration" : "Migration beginnen", "Security & setup warnings" : "Sicherheits- & Einrichtungswarnungen", - "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.", + "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 & Tricks section and the documentation for more information." : "Für die Sicherheit und Geschwindigkeit Ihrer 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.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP scheint zur Abfrage von Systemumgebungsvariablen nicht richtig eingerichtet zu sein. Der Test mit getenv(\"PATH\") liefert nur eine leere Antwort zurück.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Bitte die <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">Installationsdokumentation ↗</a> auf Hinweise zur PHP-Konfiguration durchlesen, sowie die PHP-Konfiguration Ihres Servers überprüfen, insbesondere dann, wenn PHP-FPM eingesetzt wird.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Die schreibgeschützte Konfiguration wurde aktiviert. Dies verhindert das Setzen einiger Einstellungen über die Web-Schnittstelle. Weiterhin muss bei jedem Update der Schreibzugriff auf die Datei händisch aktiviert werden.", @@ -440,6 +440,7 @@ OC.L10N.register( "Subscribe to our newsletter!" : "Abonnieren Sie unseren Newsletter!", "Show last log in" : "Letzte Anmeldung anzeigen", "Verifying" : "Überprüfe", + "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.", diff --git a/settings/l10n/de_DE.json b/settings/l10n/de_DE.json index 834e99041a5..2b2456adcf8 100644 --- a/settings/l10n/de_DE.json +++ b/settings/l10n/de_DE.json @@ -99,8 +99,8 @@ "Enable" : "Aktivieren", "Enabling app …" : "Aktiviere App…", "Error while enabling app" : "Beim Aktivieren der App ist ein Fehler aufgetreten", - "Error: this app cannot be enabled because it makes the server unstable" : "Fehler: Diese App kann nicht aktiviert werden, da es den Server instabil macht.", - "Error: could not disable broken app" : "Fehler: Die beschädigte Anwendung konnte nicht deaktiviert werden", + "Error: This app can not be enabled because it makes the server unstable" : "ehler: Diese App kann nicht aktiviert werden, da sie den Server instabil macht. ", + "Error: Could not disable broken app" : " Fehler: Die beschädigte Anwendung konnte nicht deaktiviert werden ", "Error while disabling broken app" : "Beim Deaktivieren der defekten App ist ein Fehler aufgetreten", "Updating...." : "Aktualisiere…", "Error while updating app" : "Es ist ein Fehler während der Aktualisierung der App aufgetreten", @@ -247,7 +247,7 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Sie müssen Ihre Verschlüsselungsschlüssel von der alten Verschlüsselung (ownCloud <= 8.0) zur Neuen migrieren.", "Start migration" : "Migration beginnen", "Security & setup warnings" : "Sicherheits- & Einrichtungswarnungen", - "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.", + "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 & Tricks section and the documentation for more information." : "Für die Sicherheit und Geschwindigkeit Ihrer 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.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP scheint zur Abfrage von Systemumgebungsvariablen nicht richtig eingerichtet zu sein. Der Test mit getenv(\"PATH\") liefert nur eine leere Antwort zurück.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Bitte die <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">Installationsdokumentation ↗</a> auf Hinweise zur PHP-Konfiguration durchlesen, sowie die PHP-Konfiguration Ihres Servers überprüfen, insbesondere dann, wenn PHP-FPM eingesetzt wird.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Die schreibgeschützte Konfiguration wurde aktiviert. Dies verhindert das Setzen einiger Einstellungen über die Web-Schnittstelle. Weiterhin muss bei jedem Update der Schreibzugriff auf die Datei händisch aktiviert werden.", @@ -438,6 +438,7 @@ "Subscribe to our newsletter!" : "Abonnieren Sie unseren Newsletter!", "Show last log in" : "Letzte Anmeldung anzeigen", "Verifying" : "Überprüfe", + "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.", diff --git a/settings/l10n/el.js b/settings/l10n/el.js index 34717ce3c6e..f3fc0a67f5d 100644 --- a/settings/l10n/el.js +++ b/settings/l10n/el.js @@ -8,6 +8,8 @@ OC.L10N.register( "You changed your email address" : "Έχετε αλλάξει τη διεύθυνση ηλεκτρονικού ταχυδρομείου σας", "Your email address was changed by an administrator" : "Η διεύθυνση ηλεκτρονικής αλληλογραφίας άλλαξε από τον διαχειριστή", "Security" : "Ασφάλεια", + "You successfully logged in using two-factor authentication (%1$s)" : "Έχετε συνδεθεί επιτυχώς με τη χρήση ελέγχου ταυτότητας δύο-παραγόντων (%1$s)", + "A login attempt using two-factor authentication failed (%1$s)" : "Μία προσπάθεια σύνδεσης με τη χρήση ελέγχου ταυτότητας δύο-παραγόντων απέτυχε (%1$s)", "Your <strong>password</strong> or <strong>email</strong> was modified" : "Ο δικός σας <ισχυρός>κωδικός πρόσβασης</ισχυρός>ή<ισχυρός>αλληλογραφίας</ισχυρός>τροποποιήθηκε", "Your apps" : "Οι εφαρμογές σας", "Enabled apps" : "Ενεργοποιημένες εφαρμογές", @@ -18,7 +20,9 @@ OC.L10N.register( "No user supplied" : "Δεν εισήχθη χρήστης", "Unable to change password" : "Αδυναμία αλλαγής συνθηματικού", "Authentication error" : "Σφάλμα πιστοποίησης", + "Please provide an admin recovery password; otherwise, all user data will be lost." : "Παρακαλώ παρέχετε έναν κωδικό ανάκτησης διαχειριστή, διαφορετικά όλα τα δεδομένα χρήστη θα χαθούν.", "Wrong admin recovery password. Please check the password and try again." : "Λάθος κωδικός ανάκτησης διαχειριστή. Παρακαλώ ελέγξτε τον κωδικό και δοκιμάστε ξανά.", + "Backend doesn't support password change, but the user's encryption key was updated." : "Το σύστημα δεν υποστηρίζει αλλαγή κωδικού, αλλά το κλειδί κρυπτογράφησης του χρήστη ενημερώθηκε επιτυχώς.", "installing and updating apps via the app store or Federated Cloud Sharing" : "εγκατάσταση και ενημέρωση εφαρμογών μέσω του καταστήματος εφαρμογών ή του ", "Federated Cloud Sharing" : "Διαμοιρασμός σε ομόσπονδα σύννεφα ", "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "Το cURL χρησιμοποιεί μια παρωχημένη %s έκδοση (%s). Παρακαλούμε αναβαθμίστε το λειτουργικό σας σύστημα αλλιώς δυνατότητες όπως %s δεν θα δουλέψουν αξιόπιστα.", @@ -28,16 +32,21 @@ OC.L10N.register( "Unable to add group." : "Αδυναμία προσθήκης ομάδας.", "Unable to delete group." : "Αδυναμία διαγραφής ομάδας.", "Invalid SMTP password." : "Μη έγκυρο συνθηματικό SMTP.", + "Well done, %s!" : "Συγχαρητήρια, %s!", + "If you received this email, the email configuration seems to be correct." : "Εάν λάβατε αυτό το μήνυμα ηλεκτρονικού ταχυδρομείου, ", "Email setting test" : "Δοκιμή ρυθμίσεων email", + "Email could not be sent. Check your mail server log" : "Το μήνυμα ηλεκτρονικού ταχυδρομείου δεν εστάλη. Ελέγξτε το αρχείο καταγραφής.", "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Παρουσιάστηκε σφάλμα κατά την αποστολή e-mail. Παρακαλώ ελέγξτε τις ρυθμίσεις σας.(Error: %s)", "You need to set your user email before being able to send test emails." : "Πρέπει να ορίσετε το email του χρήστη πριν να είστε σε θέση να στείλετε δοκιμαστικά emails.", "Invalid mail address" : "Μη έγκυρη διεύθυνση ταχυδρομείου.", "No valid group selected" : "Δεν επιλέθηκε έγκυρη ομάδα", "A user with that name already exists." : "Υπάρχει ήδη χρήστης με το ίδιο όνομα", + "To send a password link to the user an email address is required." : "Για να στείλετε ένα σύνδεσμο συνθηματικού στον χρήστη μια διεύθυνση ηλεκτρονικού ταχυδρομείου είναι απαραίτητη.", "Unable to create user." : "Αδυναμία δημιουργίας χρήστη.", "Unable to delete user." : "Αδυναμία διαγραφής χρήστη.", "Error while enabling user." : "Σφάλμα κατά την ενεργοποίηση χρήστη.", "Error while disabling user." : "Σφάλμα κατά την απενεργοποίηση χρήστη.", + "In order to verify your Twitter account, post the following tweet on Twitter (please make sure to post it without any line breaks):" : "Για να επιβεβαιώσετε τον λογαριασμό σας στο Twitter, δημοσιεύστε την παρακάτω δημοσίευση στο Twitter (σιγουρευτείτε ότι την δημοσιεύετε χωρίς χαρακτήρες αλλαγής γραμμής)", "Settings saved" : "Οι ρυθμίσεις αποθηκεύτηκαν", "Unable to change full name" : "Δεν ήταν δυνατή η αλλαγή του πλήρους ονόματός σας", "Unable to change email address" : "Αδυναμία αλλαγής διεύθυνσης ηλεκτρονικής αλληλογραφίας", @@ -46,13 +55,23 @@ OC.L10N.register( "Invalid user" : "Μη έγκυρος χρήστης", "Unable to change mail address" : "Αδυναμία αλλαγής διεύθυνσης αλληλογραφίας", "Email saved" : "Το email αποθηκεύτηκε ", + "%1$s changed your password on %2$s." : "%1$sάλλαξε το συνθηματικό σε %2$s.", + "Your password on %s was changed." : "Ο κωδικός πρόσβασης στο %s έχει αλλάξει.", + "Your password on %s was reset by an administrator." : "Έχει γίνει επαναφορά του κωδικού πρόσβασης στο %s από τον διαχειριστή.", "Password changed for %s" : "Το συνθηματικό άλλαξε για τον %s", "If you did not request this, please contact an administrator." : "Εάν δεν το αιτηθήκατε, παρακαλούμε επικοινωνήστε με τον διαχειριστή.", + "Password for %1$s changed on %2$s" : "Ο κωδικός πρόσβασης για το %1$s άλλαξε σε %2$s", + "%1$s changed your email address on %2$s." : "%1$sάλλαξε τη διεύθυνση ηλεκτρονικού ταχυδρομείου σε %2$s.", + "Your email address on %s was changed." : "Η ηλεκτρονική σας διεύθυνση στο %s έχει αλλάξει.", + "Your email address on %s was changed by an administrator." : "Η διεύθυνση ηλεκτρονικής αλληλογραφίας στο %s άλλαξε από τον διαχειριστή.", + "Email address changed for %s" : "Το συνθηματικό άλλαξε για τον %s", "The new email address is %s" : "Η νέα διεύθυνση ηλεκτρονικής αλληλογραφίας είναι %s", + "Email address for %1$s changed on %2$s" : "Η διεύθυνση ηλεκτρονικού ταχυδρομείου για το %1$s άλλαξε σε %2$s", "Welcome aboard" : "Καλώς ήλθατε", "Welcome aboard %s" : "Καλώς ήλθατε %s", "Your username is: %s" : "Το όνομα χρήστη σας είναι: %s", "Set your password" : "Καθορισμός συνθηματικού", + "Go to %s" : "Πηγαίνετε στο %s", "Install Client" : "Εγκατάσταση πελάτη", "Your %s account was created" : "Ο λογαριασμός %s δημιουργήθηκε", "Password confirmation is required" : "Απαιτείται επιβεβαίωση συνθηματικού", @@ -69,6 +88,8 @@ OC.L10N.register( "All" : "Όλες", "Update to %s" : "Ενημέρωση σε %s", "No apps found for your version" : "Δεν βρέθηκαν εφαρμογές για αυτή την έκδοση", + "The app will be downloaded from the app store" : "Αυτή η εφαρμογή θα ", + "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "Οι επίσημες εφαρμογές αναπτύσσονται μέσα από την κοινότητα. Προσφέρουν κεντρική λειτουργικότητα και είναι έτοιμες για παραγωγική χρήση. ", "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "Οι εγκεκριμένες εφαρμογές αναπτύχθηκαν από αξιόπιστους προγραμματιστές και έχουν περάσει έναν συνοπτικό έλεγχο ασφαλείας. Διατηρούνται ενεργά σε ένα αποθετήριο ανοιχτού κώδικα και οι συντηρητές θεωρούν οτι είναι σταθερές για κανονική χρήση.", "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "Η εφαρμογή αυτή δεν ελέγχεται για θέματα ασφάλειας και είναι νέα ή είναι γνωστό ότι είναι ασταθής. Η εγκατάσταση γίνεται με δική σας ευθύνη.", "Disabling app …" : "Γίνεται απενεργοποίηση εφαρμογής...", @@ -77,8 +98,7 @@ OC.L10N.register( "Enable" : "Ενεργοποίηση", "Enabling app …" : "Γίνεται ενεργοποίηση εφαρμογής...", "Error while enabling app" : "Σφάλμα κατά την ενεργοποίηση της εφαρμογής", - "Error: this app cannot be enabled because it makes the server unstable" : "Σφάλμα: αυτή η εφαρμογή δεν μπορεί να ενεργοποιηθεί γιατί θα καταστήσει ασταθή τον διακομιστή.", - "Error: could not disable broken app" : "Σφάλμα: αδυναμία απενεργοποίησης κατεστραμμένης εφαρμογής", + "Error: Could not disable broken app" : "Σφάλμα: αδυναμία απενεργοποίησης κατεστραμμένης εφαρμογής", "Error while disabling broken app" : "Σφάλμα κατά την απενεργοποίηση κατεστραμμένης εφαρμογής", "Updating...." : "Ενημέρωση...", "Error while updating app" : "Σφάλμα κατά την ενημέρωση της εφαρμογής", @@ -93,6 +113,7 @@ OC.L10N.register( "No apps found for {query}" : "Δεν βρέθηκαν εφαρμογές για {query}", "Enable all" : "Ενεργοποίηση όλων", "Disconnect" : "Αποσύνδεση", + "Revoke" : "Ανάκληση", "Internet Explorer" : "Internet Explorer", "Edge" : "Edge", "Firefox" : "Firefox", @@ -103,6 +124,7 @@ OC.L10N.register( "iPad iOS" : "iPad iOS", "iOS Client" : "Πελάτης iOS", "Android Client" : "Πελάτης Android", + "Sync client - {os}" : "Συγχρονισμός πελατών - {os}", "This session" : "Αυτή η συνεδρία", "Copy" : "Αντιγραφή", "Copied!" : "Αντιγράφτηκε!", @@ -120,7 +142,9 @@ OC.L10N.register( "Only visible to local users" : "Εμφανές μόνο σε τοπικούς χρήστες", "Only visible to you" : "Εμφανές μόνο σε εσάς", "Contacts" : "Επαφές", + "Visible to local users and to trusted servers" : "Προσθήκη στη λίστα των έμπιστων διακομιστών", "Public" : "Δημόσιο", + "Will be synced to a global and public address book" : "Θα συγχρονιστεί με παγκόσμιο και δημόσιο βιβλίο διευθύνσεων", "Verify" : "Επαλήθευση", "Verifying …" : "Γίνεται επαλήθευση ...", "Select a profile picture" : "Επιλογή εικόνας προφίλ", @@ -135,14 +159,18 @@ OC.L10N.register( "A valid group name must be provided" : "Πρέπει να δοθεί ένα έγκυρο όνομα ομάδας", "deleted {groupName}" : "διαγραφή {groupName}", "undo" : "αναίρεση", + "{size} used" : "{μέγεθος} που χρησιμοποιείται", "never" : "ποτέ", "deleted {userName}" : "διαγραφή {userName}", + "No user found for <strong>{pattern}</strong>" : "Δεν βρέθηκαν χρήστες για την αναζήτηση {search}", "Unable to add user to group {group}" : "Αδυναμία προσθήκης χρήστη στην ομάδα {group}", "Unable to remove user from group {group}" : "Αδυναμία αφαίρεσης χρήστη από την ομάδα {group}", "Add group" : "Προσθήκη ομάδας", "no group" : "καμια ομάδα", "Password successfully changed" : "Το συνθηματικό αλλάχτηκε επιτυχώς", "Changing the password will result in data loss, because data recovery is not available for this user" : "Η αλλαγή του κωδικού πρόσβασης θα έχει ως αποτέλεσμα το χάσιμο δεδομένων, επειδή η ανάκτηση δεδομένων δεν είναι διαθέσιμη γι' αυτόν τον χρήστη", + "Could not change the users email" : "Αδυναμία αλλαγής της ηλεκτρονικής διεύθυνσης του χρήστη", + "Error while changing status of {user}" : "Σφάλμα κατά την αλλαγή κατάστασης του {χρήστη}", "A valid username must be provided" : "Πρέπει να δοθεί έγκυρο όνομα χρήστη", "Error creating user: {message}" : "Σφάλμα δημιουργίας χρήστη: {message}", "A valid password must be provided" : "Πρέπει να δοθεί έγκυρο συνθηματικό", @@ -152,6 +180,7 @@ OC.L10N.register( "Limit to groups" : "Όριο στις ομάδες", "This app has an update available." : "Αυτή η εφαρμογή έχει διαθέσιμη ενημέρωση.", "by %s" : "από %s", + "%s-licensed" : "%s-αδειοδοτημένο", "Documentation:" : "Τεκμηρίωση:", "User documentation" : "Τεκμηρίωση Χρήστη", "Admin documentation" : "Τεκμηρίωση Διαχειριστή", @@ -159,6 +188,8 @@ OC.L10N.register( "Report a bug" : "Αναφέρετε σφάλμα", "Show description …" : "Εμφάνιση περιγραφής", "Hide description …" : "Απόκρυψη περιγραφής", + "This app has no minimum Nextcloud version assigned. This will be an error in the future." : "Αυτή η εφαρμογή δεν έχει ελάχιστη έκδοση του Nextcloud ανατεθειμένη. Αυτό θα αποτελεί σφάλμα στο μέλλον.", + "This app has no maximum Nextcloud version assigned. This will be an error in the future." : "Αυτή η εφαρμογή δεν έχει μέγιστη έκδοση του Nextcloud ανατεθειμένη. Αυτό θα αποτελεί σφάλμα στο μέλλον.", "This app cannot be installed because the following dependencies are not fulfilled:" : "Αυτή η εφαρμογή δεν μπορεί να εγκατασταθεί διότι δεν εκπληρώνονται οι ακόλουθες εξαρτήσεις:", "Enable only for specific groups" : "Ενεργοποίηση μόνο για καθορισμένες ομάδες", "SSL Root Certificates" : "Πιστοποιητικά SSL του Root", @@ -180,6 +211,7 @@ OC.L10N.register( "STARTTLS" : "STARTTLS", "Email server" : "Διακομιστής Email", "Open documentation" : "Άνοιγμα τεκμηρίωσης.", + "It is important to set up this server to be able to send emails, like for password reset and notifications." : "Είναι σημαντικό ", "Send mode" : "Κατάσταση αποστολής", "Encryption" : "Κρυπτογράφηση", "From address" : "Από τη διεύθυνση", @@ -211,11 +243,17 @@ OC.L10N.register( "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Η ρύθμιση \"μόνο ανάγνωση\" έχει ενεργοποιηθεί. Αυτό εμποδίζει τον καθορισμό κάποιων ρυθμίσεων μέσω της διεπαφής web. Επιπλέον, το αρχείο πρέπει να γίνει χειροκίνητα εγγράψιμο πριν από κάθε διαδικασία ενημέρωσης.", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Αυτό πιθανόν προκλήθηκε από προσωρινή μνήμη (cache)/επιταχυντή όπως τη Zend OPcache ή τον eAccelerator.", "System locale can not be set to a one which supports UTF-8." : "Οι ρυθμίσεις τοποθεσίας συστήματος δεν μπορούν να οριστούν σε κάποιες που δεν υποστηρίζουν UTF-8.", + "Please double check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation guides ↗</a>, and check for any errors or warnings in the <a href=\"%s\">log</a>." : "Παρακαλούμε ελέγξτε τις <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">οδηγίες εγκατάστασης ↗</a>, και ελέγξτε για σφάλματα ή προειδοποιήσεις στα <a href=\"%s\">αρχεία καταγραφής</a>.", "All checks passed." : "Όλοι οι έλεγχοι επιτυχείς.", + "Background jobs" : "Εργασίες παρασκηνίου", "Execute one task with each page loaded" : "Εκτελεί μια διεργασία κάθε φορά που φορτώνεται μια σελίδα", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over HTTP." : "Το cron.php είναι καταχωρημένο σε μια υπηρεσία webcron ώστε να καλεί το cron.php κάθε 15 λεπτά μέσω HTTP.", + "Use system cron service to call the cron.php file every 15 minutes." : "Χρησιμοποιήστε την cron υπηρεσία του συστήματος για να καλέσετε το cron.php αρχείο κάθε 15 λεπτά.", "The cron.php needs to be executed by the system user \"%s\"." : "Το cron.php πρέπει να εκτελεστεί από τον χρήστη του συστήματος \"%s\".", + "To run this you need the PHP POSIX extension. See {linkstart}PHP documentation{linkend} for more details." : "Για να τρέξετε αυτό χρειάζεστε την επέκταση PHP POSIX. Δείτε {linkstart} PHP τεκμηρίωση {linked} για περισσότερες λεπτομέρειες.", "Version" : "Έκδοση", "Sharing" : "Διαμοιρασμός", + "As admin you can fine-tune the sharing behavior. Please see the documentation for more information." : "Ως διαχειριστής μπορείτε να ρυθμίσετε λεπτομερώς την συμπεριφορά διαμοιρασμού.\nΠαρακαλούμε ανατρέξτε στην τεκμηρίωση για περισσότερες πληροφορίες.", "Allow apps to use the Share API" : "Επιτρέπει την χρήση του API διαμοιρασμού σε εφαρμογές ", "Allow users to share via link" : "Να επιτρέπεται σε χρήστες ο διαμοιρασμός μέσω συνδέσμου", "Allow public uploads" : "Επιτρέπεται το κοινόχρηστο ανέβασμα", @@ -231,6 +269,7 @@ OC.L10N.register( "Exclude groups from sharing" : "Εξαίρεση ομάδων από τον διαμοιρασμό", "These groups will still be able to receive shares, but not to initiate them." : "Αυτές οι ομάδες θα συνεχίσουν να λαμβάνουν διαμοιρασμούς, αλλά δεν θα είναι δυνατό να τους δημιουργήσουν.", "Allow username autocompletion in share dialog. If this is disabled the full username needs to be entered." : "Να επιτρέπεται η χρήση αυτόματης συμπλήρωσης στο διάλογο διαμοιρασμού. Αν αυτό είναι απενεργοποιημένο θα πρέπει να εισαχθεί το πλήρες όνομα χρήστη.", + "This text will be shown on the public link upload page when the file list is hidden." : "Αυτό το κείμενο θα ", "Tips & tricks" : "Συμβουλές & τεχνάσματα", "How to do backups" : "Πώς να κάνετε αντίγραφα ασφαλείας", "Advanced monitoring" : "Παρακολούθηση για προχωρημένους", @@ -240,6 +279,7 @@ OC.L10N.register( "Check the security of your Nextcloud over our security scan" : "Ελέγξτε την ασφάλεια του Nextcloud σας μέσω της σάρωσης ασφαλείας", "Hardening and security guidance" : "Οδηγίες ασφάλειας και θωράκισης", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Χρησιμοποιείτε <strong>%s</strong> από <strong>%s</strong>", + "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Χρησιμοποιείτε <strong>%s</strong> του <strong>%s</strong>(<strong>%s%%</strong>)", "Profile picture" : "Φωτογραφία προφίλ", "Upload new" : "Μεταφόρτωση νέου", "Select from Files" : "Επιλογή από τα Αρχεία", @@ -253,6 +293,7 @@ OC.L10N.register( "Email" : "Ηλεκτρονικό ταχυδρομείο", "Your email address" : "Η διεύθυνση ηλ. ταχυδρομείου σας", "No email address set" : "Δεν ορίστηκε διεύθυνση email", + "For password reset and notifications" : "Για ανάκτηση συνθηματικού και ειδοποιήσεις", "Phone number" : "Αριθμός τηλεφώνου", "Your phone number" : "Ο αριθμός τηλεφώνου σας", "Address" : "Διεύθυνση", @@ -268,13 +309,20 @@ OC.L10N.register( "Change password" : "Αλλαγή συνθηματικού", "Language" : "Γλώσσα", "Help translate" : "Βοηθήστε στη μετάφραση", + "Web, desktop and mobile clients currently logged in to your account." : " ", "Device" : "Συσκευή", "Last activity" : "Τελευταία δραστηριότητα", "App name" : "Όνομα εφαρμογής", "Create new app password" : "Δημιουργία νέου συνθηματικού εφαρμογής", + "Use the credentials below to configure your app or device." : "Χρησιμοποιήστε τα παρακάτω διαπιστευτήρια για να ρυθμίσετε την εφαρμογή ή την συσκευή σας.", "For security reasons this password will only be shown once." : "Για λόγους ασφαλείας αυτό το συνθηματικό θα εμφανιστεί μόνο μια φορά.", "Username" : "Όνομα χρήστη", "Done" : "Ολοκληρώθηκε", + "Follow us on Google+" : "Ακολουθήστε μας στο Google+", + "Like our Facebook page" : "Ακολουθήστε μας στην σελίδα μας στο facebook!", + "Follow us on Twitter" : "Ακολουθήστε μας στο Twitter", + "Check out our blog" : "Επισκεφθείτε το ιστολόγιό μας!", + "Subscribe to our newsletter" : "Εγγραφείτε στο ενημερωτικό δελτίο μας!", "Settings" : "Ρυθμίσεις", "Show storage location" : "Εμφάνιση τοποθεσίας αποθήκευσης", "Show user backend" : "Εμφάνιση χρήστη συστήματος υποστήριξης", @@ -336,6 +384,7 @@ OC.L10N.register( "cron.php is registered at a webcron service to call cron.php every 15 minutes over http." : "Το cron.php είναι καταχωρημένο σε μια υπηρεσία webcron ώστε να καλεί το cron.php κάθε 15 λεπτά μέσω http.", "Use system's cron service to call the cron.php file every 15 minutes." : "Χρησιμοποιήστε την cron υπηρεσία του συτήματος για να καλέσετε το cron.php αρχείο κάθε 15 λεπτά.", "Uninstall app" : "Απεγκατάσταση εφαρμογης", + "Hey there,<br><br>just letting you know that you now have a %s account.<br><br>Your username: <strong>%s</strong><br>Access it: <strong><a href=\"%s\">%s</a></strong><br><br>" : "Χαίρεται,<br><br>απλά σας κάνουμε γνωστό ότι διαθέτετε έναν %s λογαριασμό.<br><br>Το όνομά σας είναι: %s<br>Έχετε πρόσβαση: <a href=\"%s\">%s</a><br><br>", "Cheers!" : "Χαιρετισμούς!", "For password recovery and notifications" : "Η ανάκτηση του συνθηματικού και οι ειδοποιήσεις", "Your website" : "Η ιστοσελίδα σας", @@ -344,6 +393,7 @@ OC.L10N.register( "Desktop client" : "Πελάτης σταθερού υπολογιστή", "Android app" : "Εφαρμογή Android", "iOS app" : "Εφαρμογή iOS", + "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "Εάν επιθυμείτε να υποστηρίξετε το έργο {contributeopen}συμμετέχετε στην ανάπτυξη{linkclose} ή {contributeopen}διαδώστε(linkclose}!", "Show First Run Wizard again" : "Προβολή Οδηγού Πρώτης Εκτέλεσης ξανά", "Name" : "Όνομα", "Follow us on Google Plus!" : "Ακολουθήστε μας στο Google Plus!", diff --git a/settings/l10n/el.json b/settings/l10n/el.json index f61b56cd365..3889f1fda13 100644 --- a/settings/l10n/el.json +++ b/settings/l10n/el.json @@ -6,6 +6,8 @@ "You changed your email address" : "Έχετε αλλάξει τη διεύθυνση ηλεκτρονικού ταχυδρομείου σας", "Your email address was changed by an administrator" : "Η διεύθυνση ηλεκτρονικής αλληλογραφίας άλλαξε από τον διαχειριστή", "Security" : "Ασφάλεια", + "You successfully logged in using two-factor authentication (%1$s)" : "Έχετε συνδεθεί επιτυχώς με τη χρήση ελέγχου ταυτότητας δύο-παραγόντων (%1$s)", + "A login attempt using two-factor authentication failed (%1$s)" : "Μία προσπάθεια σύνδεσης με τη χρήση ελέγχου ταυτότητας δύο-παραγόντων απέτυχε (%1$s)", "Your <strong>password</strong> or <strong>email</strong> was modified" : "Ο δικός σας <ισχυρός>κωδικός πρόσβασης</ισχυρός>ή<ισχυρός>αλληλογραφίας</ισχυρός>τροποποιήθηκε", "Your apps" : "Οι εφαρμογές σας", "Enabled apps" : "Ενεργοποιημένες εφαρμογές", @@ -16,7 +18,9 @@ "No user supplied" : "Δεν εισήχθη χρήστης", "Unable to change password" : "Αδυναμία αλλαγής συνθηματικού", "Authentication error" : "Σφάλμα πιστοποίησης", + "Please provide an admin recovery password; otherwise, all user data will be lost." : "Παρακαλώ παρέχετε έναν κωδικό ανάκτησης διαχειριστή, διαφορετικά όλα τα δεδομένα χρήστη θα χαθούν.", "Wrong admin recovery password. Please check the password and try again." : "Λάθος κωδικός ανάκτησης διαχειριστή. Παρακαλώ ελέγξτε τον κωδικό και δοκιμάστε ξανά.", + "Backend doesn't support password change, but the user's encryption key was updated." : "Το σύστημα δεν υποστηρίζει αλλαγή κωδικού, αλλά το κλειδί κρυπτογράφησης του χρήστη ενημερώθηκε επιτυχώς.", "installing and updating apps via the app store or Federated Cloud Sharing" : "εγκατάσταση και ενημέρωση εφαρμογών μέσω του καταστήματος εφαρμογών ή του ", "Federated Cloud Sharing" : "Διαμοιρασμός σε ομόσπονδα σύννεφα ", "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "Το cURL χρησιμοποιεί μια παρωχημένη %s έκδοση (%s). Παρακαλούμε αναβαθμίστε το λειτουργικό σας σύστημα αλλιώς δυνατότητες όπως %s δεν θα δουλέψουν αξιόπιστα.", @@ -26,16 +30,21 @@ "Unable to add group." : "Αδυναμία προσθήκης ομάδας.", "Unable to delete group." : "Αδυναμία διαγραφής ομάδας.", "Invalid SMTP password." : "Μη έγκυρο συνθηματικό SMTP.", + "Well done, %s!" : "Συγχαρητήρια, %s!", + "If you received this email, the email configuration seems to be correct." : "Εάν λάβατε αυτό το μήνυμα ηλεκτρονικού ταχυδρομείου, ", "Email setting test" : "Δοκιμή ρυθμίσεων email", + "Email could not be sent. Check your mail server log" : "Το μήνυμα ηλεκτρονικού ταχυδρομείου δεν εστάλη. Ελέγξτε το αρχείο καταγραφής.", "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Παρουσιάστηκε σφάλμα κατά την αποστολή e-mail. Παρακαλώ ελέγξτε τις ρυθμίσεις σας.(Error: %s)", "You need to set your user email before being able to send test emails." : "Πρέπει να ορίσετε το email του χρήστη πριν να είστε σε θέση να στείλετε δοκιμαστικά emails.", "Invalid mail address" : "Μη έγκυρη διεύθυνση ταχυδρομείου.", "No valid group selected" : "Δεν επιλέθηκε έγκυρη ομάδα", "A user with that name already exists." : "Υπάρχει ήδη χρήστης με το ίδιο όνομα", + "To send a password link to the user an email address is required." : "Για να στείλετε ένα σύνδεσμο συνθηματικού στον χρήστη μια διεύθυνση ηλεκτρονικού ταχυδρομείου είναι απαραίτητη.", "Unable to create user." : "Αδυναμία δημιουργίας χρήστη.", "Unable to delete user." : "Αδυναμία διαγραφής χρήστη.", "Error while enabling user." : "Σφάλμα κατά την ενεργοποίηση χρήστη.", "Error while disabling user." : "Σφάλμα κατά την απενεργοποίηση χρήστη.", + "In order to verify your Twitter account, post the following tweet on Twitter (please make sure to post it without any line breaks):" : "Για να επιβεβαιώσετε τον λογαριασμό σας στο Twitter, δημοσιεύστε την παρακάτω δημοσίευση στο Twitter (σιγουρευτείτε ότι την δημοσιεύετε χωρίς χαρακτήρες αλλαγής γραμμής)", "Settings saved" : "Οι ρυθμίσεις αποθηκεύτηκαν", "Unable to change full name" : "Δεν ήταν δυνατή η αλλαγή του πλήρους ονόματός σας", "Unable to change email address" : "Αδυναμία αλλαγής διεύθυνσης ηλεκτρονικής αλληλογραφίας", @@ -44,13 +53,23 @@ "Invalid user" : "Μη έγκυρος χρήστης", "Unable to change mail address" : "Αδυναμία αλλαγής διεύθυνσης αλληλογραφίας", "Email saved" : "Το email αποθηκεύτηκε ", + "%1$s changed your password on %2$s." : "%1$sάλλαξε το συνθηματικό σε %2$s.", + "Your password on %s was changed." : "Ο κωδικός πρόσβασης στο %s έχει αλλάξει.", + "Your password on %s was reset by an administrator." : "Έχει γίνει επαναφορά του κωδικού πρόσβασης στο %s από τον διαχειριστή.", "Password changed for %s" : "Το συνθηματικό άλλαξε για τον %s", "If you did not request this, please contact an administrator." : "Εάν δεν το αιτηθήκατε, παρακαλούμε επικοινωνήστε με τον διαχειριστή.", + "Password for %1$s changed on %2$s" : "Ο κωδικός πρόσβασης για το %1$s άλλαξε σε %2$s", + "%1$s changed your email address on %2$s." : "%1$sάλλαξε τη διεύθυνση ηλεκτρονικού ταχυδρομείου σε %2$s.", + "Your email address on %s was changed." : "Η ηλεκτρονική σας διεύθυνση στο %s έχει αλλάξει.", + "Your email address on %s was changed by an administrator." : "Η διεύθυνση ηλεκτρονικής αλληλογραφίας στο %s άλλαξε από τον διαχειριστή.", + "Email address changed for %s" : "Το συνθηματικό άλλαξε για τον %s", "The new email address is %s" : "Η νέα διεύθυνση ηλεκτρονικής αλληλογραφίας είναι %s", + "Email address for %1$s changed on %2$s" : "Η διεύθυνση ηλεκτρονικού ταχυδρομείου για το %1$s άλλαξε σε %2$s", "Welcome aboard" : "Καλώς ήλθατε", "Welcome aboard %s" : "Καλώς ήλθατε %s", "Your username is: %s" : "Το όνομα χρήστη σας είναι: %s", "Set your password" : "Καθορισμός συνθηματικού", + "Go to %s" : "Πηγαίνετε στο %s", "Install Client" : "Εγκατάσταση πελάτη", "Your %s account was created" : "Ο λογαριασμός %s δημιουργήθηκε", "Password confirmation is required" : "Απαιτείται επιβεβαίωση συνθηματικού", @@ -67,6 +86,8 @@ "All" : "Όλες", "Update to %s" : "Ενημέρωση σε %s", "No apps found for your version" : "Δεν βρέθηκαν εφαρμογές για αυτή την έκδοση", + "The app will be downloaded from the app store" : "Αυτή η εφαρμογή θα ", + "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "Οι επίσημες εφαρμογές αναπτύσσονται μέσα από την κοινότητα. Προσφέρουν κεντρική λειτουργικότητα και είναι έτοιμες για παραγωγική χρήση. ", "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "Οι εγκεκριμένες εφαρμογές αναπτύχθηκαν από αξιόπιστους προγραμματιστές και έχουν περάσει έναν συνοπτικό έλεγχο ασφαλείας. Διατηρούνται ενεργά σε ένα αποθετήριο ανοιχτού κώδικα και οι συντηρητές θεωρούν οτι είναι σταθερές για κανονική χρήση.", "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "Η εφαρμογή αυτή δεν ελέγχεται για θέματα ασφάλειας και είναι νέα ή είναι γνωστό ότι είναι ασταθής. Η εγκατάσταση γίνεται με δική σας ευθύνη.", "Disabling app …" : "Γίνεται απενεργοποίηση εφαρμογής...", @@ -75,8 +96,7 @@ "Enable" : "Ενεργοποίηση", "Enabling app …" : "Γίνεται ενεργοποίηση εφαρμογής...", "Error while enabling app" : "Σφάλμα κατά την ενεργοποίηση της εφαρμογής", - "Error: this app cannot be enabled because it makes the server unstable" : "Σφάλμα: αυτή η εφαρμογή δεν μπορεί να ενεργοποιηθεί γιατί θα καταστήσει ασταθή τον διακομιστή.", - "Error: could not disable broken app" : "Σφάλμα: αδυναμία απενεργοποίησης κατεστραμμένης εφαρμογής", + "Error: Could not disable broken app" : "Σφάλμα: αδυναμία απενεργοποίησης κατεστραμμένης εφαρμογής", "Error while disabling broken app" : "Σφάλμα κατά την απενεργοποίηση κατεστραμμένης εφαρμογής", "Updating...." : "Ενημέρωση...", "Error while updating app" : "Σφάλμα κατά την ενημέρωση της εφαρμογής", @@ -91,6 +111,7 @@ "No apps found for {query}" : "Δεν βρέθηκαν εφαρμογές για {query}", "Enable all" : "Ενεργοποίηση όλων", "Disconnect" : "Αποσύνδεση", + "Revoke" : "Ανάκληση", "Internet Explorer" : "Internet Explorer", "Edge" : "Edge", "Firefox" : "Firefox", @@ -101,6 +122,7 @@ "iPad iOS" : "iPad iOS", "iOS Client" : "Πελάτης iOS", "Android Client" : "Πελάτης Android", + "Sync client - {os}" : "Συγχρονισμός πελατών - {os}", "This session" : "Αυτή η συνεδρία", "Copy" : "Αντιγραφή", "Copied!" : "Αντιγράφτηκε!", @@ -118,7 +140,9 @@ "Only visible to local users" : "Εμφανές μόνο σε τοπικούς χρήστες", "Only visible to you" : "Εμφανές μόνο σε εσάς", "Contacts" : "Επαφές", + "Visible to local users and to trusted servers" : "Προσθήκη στη λίστα των έμπιστων διακομιστών", "Public" : "Δημόσιο", + "Will be synced to a global and public address book" : "Θα συγχρονιστεί με παγκόσμιο και δημόσιο βιβλίο διευθύνσεων", "Verify" : "Επαλήθευση", "Verifying …" : "Γίνεται επαλήθευση ...", "Select a profile picture" : "Επιλογή εικόνας προφίλ", @@ -133,14 +157,18 @@ "A valid group name must be provided" : "Πρέπει να δοθεί ένα έγκυρο όνομα ομάδας", "deleted {groupName}" : "διαγραφή {groupName}", "undo" : "αναίρεση", + "{size} used" : "{μέγεθος} που χρησιμοποιείται", "never" : "ποτέ", "deleted {userName}" : "διαγραφή {userName}", + "No user found for <strong>{pattern}</strong>" : "Δεν βρέθηκαν χρήστες για την αναζήτηση {search}", "Unable to add user to group {group}" : "Αδυναμία προσθήκης χρήστη στην ομάδα {group}", "Unable to remove user from group {group}" : "Αδυναμία αφαίρεσης χρήστη από την ομάδα {group}", "Add group" : "Προσθήκη ομάδας", "no group" : "καμια ομάδα", "Password successfully changed" : "Το συνθηματικό αλλάχτηκε επιτυχώς", "Changing the password will result in data loss, because data recovery is not available for this user" : "Η αλλαγή του κωδικού πρόσβασης θα έχει ως αποτέλεσμα το χάσιμο δεδομένων, επειδή η ανάκτηση δεδομένων δεν είναι διαθέσιμη γι' αυτόν τον χρήστη", + "Could not change the users email" : "Αδυναμία αλλαγής της ηλεκτρονικής διεύθυνσης του χρήστη", + "Error while changing status of {user}" : "Σφάλμα κατά την αλλαγή κατάστασης του {χρήστη}", "A valid username must be provided" : "Πρέπει να δοθεί έγκυρο όνομα χρήστη", "Error creating user: {message}" : "Σφάλμα δημιουργίας χρήστη: {message}", "A valid password must be provided" : "Πρέπει να δοθεί έγκυρο συνθηματικό", @@ -150,6 +178,7 @@ "Limit to groups" : "Όριο στις ομάδες", "This app has an update available." : "Αυτή η εφαρμογή έχει διαθέσιμη ενημέρωση.", "by %s" : "από %s", + "%s-licensed" : "%s-αδειοδοτημένο", "Documentation:" : "Τεκμηρίωση:", "User documentation" : "Τεκμηρίωση Χρήστη", "Admin documentation" : "Τεκμηρίωση Διαχειριστή", @@ -157,6 +186,8 @@ "Report a bug" : "Αναφέρετε σφάλμα", "Show description …" : "Εμφάνιση περιγραφής", "Hide description …" : "Απόκρυψη περιγραφής", + "This app has no minimum Nextcloud version assigned. This will be an error in the future." : "Αυτή η εφαρμογή δεν έχει ελάχιστη έκδοση του Nextcloud ανατεθειμένη. Αυτό θα αποτελεί σφάλμα στο μέλλον.", + "This app has no maximum Nextcloud version assigned. This will be an error in the future." : "Αυτή η εφαρμογή δεν έχει μέγιστη έκδοση του Nextcloud ανατεθειμένη. Αυτό θα αποτελεί σφάλμα στο μέλλον.", "This app cannot be installed because the following dependencies are not fulfilled:" : "Αυτή η εφαρμογή δεν μπορεί να εγκατασταθεί διότι δεν εκπληρώνονται οι ακόλουθες εξαρτήσεις:", "Enable only for specific groups" : "Ενεργοποίηση μόνο για καθορισμένες ομάδες", "SSL Root Certificates" : "Πιστοποιητικά SSL του Root", @@ -178,6 +209,7 @@ "STARTTLS" : "STARTTLS", "Email server" : "Διακομιστής Email", "Open documentation" : "Άνοιγμα τεκμηρίωσης.", + "It is important to set up this server to be able to send emails, like for password reset and notifications." : "Είναι σημαντικό ", "Send mode" : "Κατάσταση αποστολής", "Encryption" : "Κρυπτογράφηση", "From address" : "Από τη διεύθυνση", @@ -209,11 +241,17 @@ "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Η ρύθμιση \"μόνο ανάγνωση\" έχει ενεργοποιηθεί. Αυτό εμποδίζει τον καθορισμό κάποιων ρυθμίσεων μέσω της διεπαφής web. Επιπλέον, το αρχείο πρέπει να γίνει χειροκίνητα εγγράψιμο πριν από κάθε διαδικασία ενημέρωσης.", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Αυτό πιθανόν προκλήθηκε από προσωρινή μνήμη (cache)/επιταχυντή όπως τη Zend OPcache ή τον eAccelerator.", "System locale can not be set to a one which supports UTF-8." : "Οι ρυθμίσεις τοποθεσίας συστήματος δεν μπορούν να οριστούν σε κάποιες που δεν υποστηρίζουν UTF-8.", + "Please double check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation guides ↗</a>, and check for any errors or warnings in the <a href=\"%s\">log</a>." : "Παρακαλούμε ελέγξτε τις <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">οδηγίες εγκατάστασης ↗</a>, και ελέγξτε για σφάλματα ή προειδοποιήσεις στα <a href=\"%s\">αρχεία καταγραφής</a>.", "All checks passed." : "Όλοι οι έλεγχοι επιτυχείς.", + "Background jobs" : "Εργασίες παρασκηνίου", "Execute one task with each page loaded" : "Εκτελεί μια διεργασία κάθε φορά που φορτώνεται μια σελίδα", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over HTTP." : "Το cron.php είναι καταχωρημένο σε μια υπηρεσία webcron ώστε να καλεί το cron.php κάθε 15 λεπτά μέσω HTTP.", + "Use system cron service to call the cron.php file every 15 minutes." : "Χρησιμοποιήστε την cron υπηρεσία του συστήματος για να καλέσετε το cron.php αρχείο κάθε 15 λεπτά.", "The cron.php needs to be executed by the system user \"%s\"." : "Το cron.php πρέπει να εκτελεστεί από τον χρήστη του συστήματος \"%s\".", + "To run this you need the PHP POSIX extension. See {linkstart}PHP documentation{linkend} for more details." : "Για να τρέξετε αυτό χρειάζεστε την επέκταση PHP POSIX. Δείτε {linkstart} PHP τεκμηρίωση {linked} για περισσότερες λεπτομέρειες.", "Version" : "Έκδοση", "Sharing" : "Διαμοιρασμός", + "As admin you can fine-tune the sharing behavior. Please see the documentation for more information." : "Ως διαχειριστής μπορείτε να ρυθμίσετε λεπτομερώς την συμπεριφορά διαμοιρασμού.\nΠαρακαλούμε ανατρέξτε στην τεκμηρίωση για περισσότερες πληροφορίες.", "Allow apps to use the Share API" : "Επιτρέπει την χρήση του API διαμοιρασμού σε εφαρμογές ", "Allow users to share via link" : "Να επιτρέπεται σε χρήστες ο διαμοιρασμός μέσω συνδέσμου", "Allow public uploads" : "Επιτρέπεται το κοινόχρηστο ανέβασμα", @@ -229,6 +267,7 @@ "Exclude groups from sharing" : "Εξαίρεση ομάδων από τον διαμοιρασμό", "These groups will still be able to receive shares, but not to initiate them." : "Αυτές οι ομάδες θα συνεχίσουν να λαμβάνουν διαμοιρασμούς, αλλά δεν θα είναι δυνατό να τους δημιουργήσουν.", "Allow username autocompletion in share dialog. If this is disabled the full username needs to be entered." : "Να επιτρέπεται η χρήση αυτόματης συμπλήρωσης στο διάλογο διαμοιρασμού. Αν αυτό είναι απενεργοποιημένο θα πρέπει να εισαχθεί το πλήρες όνομα χρήστη.", + "This text will be shown on the public link upload page when the file list is hidden." : "Αυτό το κείμενο θα ", "Tips & tricks" : "Συμβουλές & τεχνάσματα", "How to do backups" : "Πώς να κάνετε αντίγραφα ασφαλείας", "Advanced monitoring" : "Παρακολούθηση για προχωρημένους", @@ -238,6 +277,7 @@ "Check the security of your Nextcloud over our security scan" : "Ελέγξτε την ασφάλεια του Nextcloud σας μέσω της σάρωσης ασφαλείας", "Hardening and security guidance" : "Οδηγίες ασφάλειας και θωράκισης", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Χρησιμοποιείτε <strong>%s</strong> από <strong>%s</strong>", + "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Χρησιμοποιείτε <strong>%s</strong> του <strong>%s</strong>(<strong>%s%%</strong>)", "Profile picture" : "Φωτογραφία προφίλ", "Upload new" : "Μεταφόρτωση νέου", "Select from Files" : "Επιλογή από τα Αρχεία", @@ -251,6 +291,7 @@ "Email" : "Ηλεκτρονικό ταχυδρομείο", "Your email address" : "Η διεύθυνση ηλ. ταχυδρομείου σας", "No email address set" : "Δεν ορίστηκε διεύθυνση email", + "For password reset and notifications" : "Για ανάκτηση συνθηματικού και ειδοποιήσεις", "Phone number" : "Αριθμός τηλεφώνου", "Your phone number" : "Ο αριθμός τηλεφώνου σας", "Address" : "Διεύθυνση", @@ -266,13 +307,20 @@ "Change password" : "Αλλαγή συνθηματικού", "Language" : "Γλώσσα", "Help translate" : "Βοηθήστε στη μετάφραση", + "Web, desktop and mobile clients currently logged in to your account." : " ", "Device" : "Συσκευή", "Last activity" : "Τελευταία δραστηριότητα", "App name" : "Όνομα εφαρμογής", "Create new app password" : "Δημιουργία νέου συνθηματικού εφαρμογής", + "Use the credentials below to configure your app or device." : "Χρησιμοποιήστε τα παρακάτω διαπιστευτήρια για να ρυθμίσετε την εφαρμογή ή την συσκευή σας.", "For security reasons this password will only be shown once." : "Για λόγους ασφαλείας αυτό το συνθηματικό θα εμφανιστεί μόνο μια φορά.", "Username" : "Όνομα χρήστη", "Done" : "Ολοκληρώθηκε", + "Follow us on Google+" : "Ακολουθήστε μας στο Google+", + "Like our Facebook page" : "Ακολουθήστε μας στην σελίδα μας στο facebook!", + "Follow us on Twitter" : "Ακολουθήστε μας στο Twitter", + "Check out our blog" : "Επισκεφθείτε το ιστολόγιό μας!", + "Subscribe to our newsletter" : "Εγγραφείτε στο ενημερωτικό δελτίο μας!", "Settings" : "Ρυθμίσεις", "Show storage location" : "Εμφάνιση τοποθεσίας αποθήκευσης", "Show user backend" : "Εμφάνιση χρήστη συστήματος υποστήριξης", @@ -334,6 +382,7 @@ "cron.php is registered at a webcron service to call cron.php every 15 minutes over http." : "Το cron.php είναι καταχωρημένο σε μια υπηρεσία webcron ώστε να καλεί το cron.php κάθε 15 λεπτά μέσω http.", "Use system's cron service to call the cron.php file every 15 minutes." : "Χρησιμοποιήστε την cron υπηρεσία του συτήματος για να καλέσετε το cron.php αρχείο κάθε 15 λεπτά.", "Uninstall app" : "Απεγκατάσταση εφαρμογης", + "Hey there,<br><br>just letting you know that you now have a %s account.<br><br>Your username: <strong>%s</strong><br>Access it: <strong><a href=\"%s\">%s</a></strong><br><br>" : "Χαίρεται,<br><br>απλά σας κάνουμε γνωστό ότι διαθέτετε έναν %s λογαριασμό.<br><br>Το όνομά σας είναι: %s<br>Έχετε πρόσβαση: <a href=\"%s\">%s</a><br><br>", "Cheers!" : "Χαιρετισμούς!", "For password recovery and notifications" : "Η ανάκτηση του συνθηματικού και οι ειδοποιήσεις", "Your website" : "Η ιστοσελίδα σας", @@ -342,6 +391,7 @@ "Desktop client" : "Πελάτης σταθερού υπολογιστή", "Android app" : "Εφαρμογή Android", "iOS app" : "Εφαρμογή iOS", + "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "Εάν επιθυμείτε να υποστηρίξετε το έργο {contributeopen}συμμετέχετε στην ανάπτυξη{linkclose} ή {contributeopen}διαδώστε(linkclose}!", "Show First Run Wizard again" : "Προβολή Οδηγού Πρώτης Εκτέλεσης ξανά", "Name" : "Όνομα", "Follow us on Google Plus!" : "Ακολουθήστε μας στο Google Plus!", diff --git a/settings/l10n/en_GB.js b/settings/l10n/en_GB.js index 609c14ec13e..768afb4f51a 100644 --- a/settings/l10n/en_GB.js +++ b/settings/l10n/en_GB.js @@ -101,8 +101,8 @@ OC.L10N.register( "Enable" : "Enable", "Enabling app …" : "Enabling app …", "Error while enabling app" : "Error whilst enabling app", - "Error: this app cannot be enabled because it makes the server unstable" : "Error: this app cannot be enabled because it makes the server unstable", - "Error: could not disable broken app" : "Error: could not disable broken app", + "Error: This app can not be enabled because it makes the server unstable" : "Error: This app can not be enabled because it makes the server unstable", + "Error: Could not disable broken app" : "Error: Could not disable broken app", "Error while disabling broken app" : "Error whilst disabling broken app", "Updating...." : "Updating....", "Error while updating app" : "Error whilst updating app", @@ -249,7 +249,6 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one.", "Start migration" : "Start migration", "Security & setup warnings" : "Security & setup warnings", - "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." : "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.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update.", @@ -440,6 +439,7 @@ OC.L10N.register( "Subscribe to our newsletter!" : "Subscribe to our newsletter!", "Show last log in" : "Show last log in", "Verifying" : "Verifying", + "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." : "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.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Web, desktop, mobile clients and app specific passwords that currently have access to your account.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too.", diff --git a/settings/l10n/en_GB.json b/settings/l10n/en_GB.json index 7fbebc94a3a..3b49b6a65d9 100644 --- a/settings/l10n/en_GB.json +++ b/settings/l10n/en_GB.json @@ -99,8 +99,8 @@ "Enable" : "Enable", "Enabling app …" : "Enabling app …", "Error while enabling app" : "Error whilst enabling app", - "Error: this app cannot be enabled because it makes the server unstable" : "Error: this app cannot be enabled because it makes the server unstable", - "Error: could not disable broken app" : "Error: could not disable broken app", + "Error: This app can not be enabled because it makes the server unstable" : "Error: This app can not be enabled because it makes the server unstable", + "Error: Could not disable broken app" : "Error: Could not disable broken app", "Error while disabling broken app" : "Error whilst disabling broken app", "Updating...." : "Updating....", "Error while updating app" : "Error whilst updating app", @@ -247,7 +247,6 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one.", "Start migration" : "Start migration", "Security & setup warnings" : "Security & setup warnings", - "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." : "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.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update.", @@ -438,6 +437,7 @@ "Subscribe to our newsletter!" : "Subscribe to our newsletter!", "Show last log in" : "Show last log in", "Verifying" : "Verifying", + "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." : "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.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Web, desktop, mobile clients and app specific passwords that currently have access to your account.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too.", diff --git a/settings/l10n/es.js b/settings/l10n/es.js index 8d3d60f64c2..39e89675e20 100644 --- a/settings/l10n/es.js +++ b/settings/l10n/es.js @@ -101,8 +101,8 @@ OC.L10N.register( "Enable" : "Activar", "Enabling app …" : "Activando app ...", "Error while enabling app" : "Error mientras se activaba la aplicación", - "Error: this app cannot be enabled because it makes the server unstable" : "Error: Esta App no puede habilitarse porque el servidor se volveria inestable.", - "Error: could not disable broken app" : "Error: No puedo deshabilitar la App dañada.", + "Error: This app can not be enabled because it makes the server unstable" : "Error: Esta app no se puede activar porque desestabiliza el servidor", + "Error: Could not disable broken app" : "Error: No se ha podido desactivar una app estropeada", "Error while disabling broken app" : "Error mientras deshabilitaba la App dañada", "Updating...." : "Actualizando...", "Error while updating app" : "Error mientras se actualizaba la aplicación", @@ -249,13 +249,13 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Se necesita migrar las claves de cifrado del antiguo sistema (ownCloud <= 8.0) al nuevo sistema.", "Start migration" : "Iniciar migración", "Security & setup warnings" : "Avisos de seguridad y configuración", - "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." : "Es importante para la seguridad y buen funcionamiento de tu instancia que todo esté configurado correctamente. Para ayudarte con esto, vamos a hacer algunas comprobaciones automáticas. Por favor, comprueba la sección 'Sugerencias y trucos' y la documentación para más información.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP parece que no está configurado correctamente para solicitar las variables de entorno del sistema. La prueba con getenv(\"PATH\") sólo devuelve una respuesta vacía.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Por favor revisa la <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentación de instalación ↗</a> para ver notas de configuración de PHP y comprobar la configuración PHP de tu servidor, especialmente cuando se está usando php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Se ha habilitado la configuración de sólo lectura. Esto evita tener que ajustar algunas configuraciones a través de la interfaz web. Además, el archivo debe hacerse modificable manualmente para cada actualización.", "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "PHP está aparentemente configurado para quitar bloques de documento ('strip inline doc blocks'). Esto hará que varias aplicaciones principales estén inaccesibles.", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Probablemente esto venga a causa de la caché o un acelerador, tales como Zend OPcache o eAccelerator.", "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Su base de datos no se ejecuta con el nivel de aislamiento de transacción \"READ COMMITTED\" . Ésto puede causar problemas cuando múltiples acciones se ejecutan en paralelo.", + "%1$s below version %2$s is installed, for stability and performance reasons it is recommended to update to a newer %1$s version." : "%1$sestá instalado por debajo de la versión %2$s, por motivos de estabilidad y rendimiento se recomienda actualizar a una versión más moderna de %1$s.", "The PHP module 'fileinfo' is missing. It is strongly recommended to enable this module to get the best results with MIME type detection." : "Falta el módulo PHP 'fileinfo'. Es muy recomendable activar este módulo para conseguir mejores resultados en la detección de los tipos MIME.", "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentation ↗</a> for more information." : "El bloqueo de archivos transaccional está desactivado, esto podría conducir a problemas con 'race conditions'. Activa 'filelocking.enabled' en 'config.php' para solucionar esos problemas. Mira la <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentación ↗</a> para más información.", "System locale can not be set to a one which supports UTF-8." : "No se puede escoger una configuración regional que soporte UTF-8.", @@ -428,8 +428,8 @@ OC.L10N.register( "Desktop client" : "Cliente de escritorio", "Android app" : "Aplicación de Android", "iOS app" : "La aplicación de iOS", - "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "Si deseas apoyar el proyecto, ¡{contributeopen}únete al desarrollo{linkclose} o {contributeopen}difúnde la palabra{linkclose}!", - "Show First Run Wizard again" : "Mostrar nuevamente el Asistente de ejecución inicial", + "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "Si deseas apoyar el proyecto, ¡{contributeopen}únete al desarrollo{linkclose} o {contributeopen}difunde la palabra{linkclose}!", + "Show First Run Wizard again" : "Mostrar nuevamente el asistente de ejecución inicial", "Passcodes that give an app or device permissions to access your account." : "Código de paso que da permisos a una app o dispositivo para acceder a tu cuenta.", "Name" : "Nombre", "Follow us on Google Plus!" : "¡Síganos en Google+!", @@ -439,6 +439,7 @@ OC.L10N.register( "Subscribe to our newsletter!" : "¡Suscríbete a nuestro boletín!", "Show last log in" : "Mostrar el último inicio de sesión", "Verifying" : "Verificando", + "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." : "Es importante para la seguridad y buen funcionamiento de tu instancia que todo esté configurado correctamente. Para ayudarte con esto, vamos a hacer algunas comprobaciones automáticas. Por favor, comprueba la sección 'Sugerencias y trucos' y la documentación para más información.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Falta el módulo PHP 'fileinfo'. Recomendamos encarecidamente activar este módulo para conseguir mejores resultados en la detección de los tipos MIME.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Contraseñas específicas para los clientes web, de escritorio y móviles, y también apps que tienen actualmente acceso a tu cuenta.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Aquí puedes generar contraseñas individuales para apps para que no tengas que dar tu propia contraseña. También puedes revocarlas individualmente.", diff --git a/settings/l10n/es.json b/settings/l10n/es.json index 5225b8016d9..b9419ca63bb 100644 --- a/settings/l10n/es.json +++ b/settings/l10n/es.json @@ -99,8 +99,8 @@ "Enable" : "Activar", "Enabling app …" : "Activando app ...", "Error while enabling app" : "Error mientras se activaba la aplicación", - "Error: this app cannot be enabled because it makes the server unstable" : "Error: Esta App no puede habilitarse porque el servidor se volveria inestable.", - "Error: could not disable broken app" : "Error: No puedo deshabilitar la App dañada.", + "Error: This app can not be enabled because it makes the server unstable" : "Error: Esta app no se puede activar porque desestabiliza el servidor", + "Error: Could not disable broken app" : "Error: No se ha podido desactivar una app estropeada", "Error while disabling broken app" : "Error mientras deshabilitaba la App dañada", "Updating...." : "Actualizando...", "Error while updating app" : "Error mientras se actualizaba la aplicación", @@ -247,13 +247,13 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Se necesita migrar las claves de cifrado del antiguo sistema (ownCloud <= 8.0) al nuevo sistema.", "Start migration" : "Iniciar migración", "Security & setup warnings" : "Avisos de seguridad y configuración", - "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." : "Es importante para la seguridad y buen funcionamiento de tu instancia que todo esté configurado correctamente. Para ayudarte con esto, vamos a hacer algunas comprobaciones automáticas. Por favor, comprueba la sección 'Sugerencias y trucos' y la documentación para más información.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP parece que no está configurado correctamente para solicitar las variables de entorno del sistema. La prueba con getenv(\"PATH\") sólo devuelve una respuesta vacía.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Por favor revisa la <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentación de instalación ↗</a> para ver notas de configuración de PHP y comprobar la configuración PHP de tu servidor, especialmente cuando se está usando php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Se ha habilitado la configuración de sólo lectura. Esto evita tener que ajustar algunas configuraciones a través de la interfaz web. Además, el archivo debe hacerse modificable manualmente para cada actualización.", "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "PHP está aparentemente configurado para quitar bloques de documento ('strip inline doc blocks'). Esto hará que varias aplicaciones principales estén inaccesibles.", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Probablemente esto venga a causa de la caché o un acelerador, tales como Zend OPcache o eAccelerator.", "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Su base de datos no se ejecuta con el nivel de aislamiento de transacción \"READ COMMITTED\" . Ésto puede causar problemas cuando múltiples acciones se ejecutan en paralelo.", + "%1$s below version %2$s is installed, for stability and performance reasons it is recommended to update to a newer %1$s version." : "%1$sestá instalado por debajo de la versión %2$s, por motivos de estabilidad y rendimiento se recomienda actualizar a una versión más moderna de %1$s.", "The PHP module 'fileinfo' is missing. It is strongly recommended to enable this module to get the best results with MIME type detection." : "Falta el módulo PHP 'fileinfo'. Es muy recomendable activar este módulo para conseguir mejores resultados en la detección de los tipos MIME.", "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentation ↗</a> for more information." : "El bloqueo de archivos transaccional está desactivado, esto podría conducir a problemas con 'race conditions'. Activa 'filelocking.enabled' en 'config.php' para solucionar esos problemas. Mira la <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentación ↗</a> para más información.", "System locale can not be set to a one which supports UTF-8." : "No se puede escoger una configuración regional que soporte UTF-8.", @@ -426,8 +426,8 @@ "Desktop client" : "Cliente de escritorio", "Android app" : "Aplicación de Android", "iOS app" : "La aplicación de iOS", - "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "Si deseas apoyar el proyecto, ¡{contributeopen}únete al desarrollo{linkclose} o {contributeopen}difúnde la palabra{linkclose}!", - "Show First Run Wizard again" : "Mostrar nuevamente el Asistente de ejecución inicial", + "If you want to support the project {contributeopen}join development{linkclose} or {contributeopen}spread the word{linkclose}!" : "Si deseas apoyar el proyecto, ¡{contributeopen}únete al desarrollo{linkclose} o {contributeopen}difunde la palabra{linkclose}!", + "Show First Run Wizard again" : "Mostrar nuevamente el asistente de ejecución inicial", "Passcodes that give an app or device permissions to access your account." : "Código de paso que da permisos a una app o dispositivo para acceder a tu cuenta.", "Name" : "Nombre", "Follow us on Google Plus!" : "¡Síganos en Google+!", @@ -437,6 +437,7 @@ "Subscribe to our newsletter!" : "¡Suscríbete a nuestro boletín!", "Show last log in" : "Mostrar el último inicio de sesión", "Verifying" : "Verificando", + "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." : "Es importante para la seguridad y buen funcionamiento de tu instancia que todo esté configurado correctamente. Para ayudarte con esto, vamos a hacer algunas comprobaciones automáticas. Por favor, comprueba la sección 'Sugerencias y trucos' y la documentación para más información.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Falta el módulo PHP 'fileinfo'. Recomendamos encarecidamente activar este módulo para conseguir mejores resultados en la detección de los tipos MIME.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Contraseñas específicas para los clientes web, de escritorio y móviles, y también apps que tienen actualmente acceso a tu cuenta.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Aquí puedes generar contraseñas individuales para apps para que no tengas que dar tu propia contraseña. También puedes revocarlas individualmente.", diff --git a/settings/l10n/es_AR.js b/settings/l10n/es_AR.js index 32bedf65531..88242cb589b 100644 --- a/settings/l10n/es_AR.js +++ b/settings/l10n/es_AR.js @@ -101,8 +101,6 @@ OC.L10N.register( "Enable" : "Habilitar", "Enabling app …" : "Habilitando aplicación ...", "Error while enabling app" : "Se presentó un error al habilitar la aplicación", - "Error: this app cannot be enabled because it makes the server unstable" : "Error: esta aplicación no puede ser habilitada porque genera inestabilidad en el servidor", - "Error: could not disable broken app" : "Error: No fue posible deshaiblitar la aplicación rota", "Error while disabling broken app" : "Se presentó un error al deshabilitar la aplicación rota", "Updating...." : "Actualizando....", "Error while updating app" : "Se presentó un error al actualizar la aplicación", @@ -247,7 +245,6 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Usted necesita migar sus llaves de encripción de la encripción anterior (ownCloud <=8.0) a la actual. ", "Start migration" : "Comenzar migración", "Security & setup warnings" : "Advertencias de seguridad y configuración", - "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." : "Es importante para la seguridad y desempeño de su instancia que todo esté configurado correctamente. Para ayudarlo con esto, estamos haciendo algunas verficaciones automáticas. Favor de consultar la sección de Consejos & Trucos de la documentación para más información. ", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "La configuración de Sólo Lectura ha sido habilitada. Esto previene establecer algunas configuraciones mediante la interface web. Adicionalmente, el archivo necesita que se le establezcan tener permisos de escritura manualemente en cada actualización. ", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Esto es posiblemente causado por un caché/acelerador tal como Zend OPcache o eAccelerator. ", "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Su base de datos no puede correr con el nivel de aislamiento de transacción de \"READ COMMITTED\". Puede causar problemas cuando mútiples acciones sean ejecutadas en paralelo.", @@ -422,6 +419,7 @@ OC.L10N.register( "Subscribe to our newsletter!" : "¡Suscribase a nuestro boletín!", "Show last log in" : "Mostrar el último inicio de sesión", "Verifying" : "Verificando", + "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." : "Es importante para la seguridad y desempeño de su instancia que todo esté configurado correctamente. Para ayudarlo con esto, estamos haciendo algunas verficaciones automáticas. Favor de consultar la sección de Consejos & Trucos de la documentación para más información. ", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "El modulo PHP 'fileinfo' no ha sido encontrado. Le recomendamos ámpliamente que habilite este módulo para obtener los mejores resultados en la detección de tipos MIME.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Aquí usted puede generar contraseñas individuales para las aplicaciones para que usted no tenga que dar su contraseña. También puede revocalras individualmente. ", "Follow us on Google+!" : "¡Síganos en Google+!", diff --git a/settings/l10n/es_AR.json b/settings/l10n/es_AR.json index 84266df415a..e0e2397f47e 100644 --- a/settings/l10n/es_AR.json +++ b/settings/l10n/es_AR.json @@ -99,8 +99,6 @@ "Enable" : "Habilitar", "Enabling app …" : "Habilitando aplicación ...", "Error while enabling app" : "Se presentó un error al habilitar la aplicación", - "Error: this app cannot be enabled because it makes the server unstable" : "Error: esta aplicación no puede ser habilitada porque genera inestabilidad en el servidor", - "Error: could not disable broken app" : "Error: No fue posible deshaiblitar la aplicación rota", "Error while disabling broken app" : "Se presentó un error al deshabilitar la aplicación rota", "Updating...." : "Actualizando....", "Error while updating app" : "Se presentó un error al actualizar la aplicación", @@ -245,7 +243,6 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Usted necesita migar sus llaves de encripción de la encripción anterior (ownCloud <=8.0) a la actual. ", "Start migration" : "Comenzar migración", "Security & setup warnings" : "Advertencias de seguridad y configuración", - "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." : "Es importante para la seguridad y desempeño de su instancia que todo esté configurado correctamente. Para ayudarlo con esto, estamos haciendo algunas verficaciones automáticas. Favor de consultar la sección de Consejos & Trucos de la documentación para más información. ", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "La configuración de Sólo Lectura ha sido habilitada. Esto previene establecer algunas configuraciones mediante la interface web. Adicionalmente, el archivo necesita que se le establezcan tener permisos de escritura manualemente en cada actualización. ", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Esto es posiblemente causado por un caché/acelerador tal como Zend OPcache o eAccelerator. ", "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Su base de datos no puede correr con el nivel de aislamiento de transacción de \"READ COMMITTED\". Puede causar problemas cuando mútiples acciones sean ejecutadas en paralelo.", @@ -420,6 +417,7 @@ "Subscribe to our newsletter!" : "¡Suscribase a nuestro boletín!", "Show last log in" : "Mostrar el último inicio de sesión", "Verifying" : "Verificando", + "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." : "Es importante para la seguridad y desempeño de su instancia que todo esté configurado correctamente. Para ayudarlo con esto, estamos haciendo algunas verficaciones automáticas. Favor de consultar la sección de Consejos & Trucos de la documentación para más información. ", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "El modulo PHP 'fileinfo' no ha sido encontrado. Le recomendamos ámpliamente que habilite este módulo para obtener los mejores resultados en la detección de tipos MIME.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Aquí usted puede generar contraseñas individuales para las aplicaciones para que usted no tenga que dar su contraseña. También puede revocalras individualmente. ", "Follow us on Google+!" : "¡Síganos en Google+!", diff --git a/settings/l10n/es_MX.js b/settings/l10n/es_MX.js index c1df463f1bd..56965b165cf 100644 --- a/settings/l10n/es_MX.js +++ b/settings/l10n/es_MX.js @@ -101,8 +101,8 @@ OC.L10N.register( "Enable" : "Habilitar", "Enabling app …" : "Habilitando aplicación ...", "Error while enabling app" : "Se presentó un error al habilitar la aplicación", - "Error: this app cannot be enabled because it makes the server unstable" : "Error: esta aplicación no puede ser habilitada porque genera inestabilidad en el servidor", - "Error: could not disable broken app" : "Error: No fue posible deshaiblitar la aplicación rota", + "Error: This app can not be enabled because it makes the server unstable" : "Error: Esta aplicación no puede ser habilitada porque genera inestabilidad en el servidor", + "Error: Could not disable broken app" : "Error: No fue posible deshabilitar la aplicación rota", "Error while disabling broken app" : "Se presentó un error al deshabilitar la aplicación rota", "Updating...." : "Actualizando....", "Error while updating app" : "Se presentó un error al actualizar la aplicación", @@ -249,7 +249,7 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Necesitas migar tus llaves de encripción de la encripción anterior (ownCloud <=8.0) a la actual. ", "Start migration" : "Iniciar migración", "Security & setup warnings" : "Advertencias de seguridad y configuración", - "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." : "Es importante para la seguridad y desempeño de su instancia que todo esté configurado correctamente. Para ayudarlo con esto, estamos haciendo algunas verficaciones automáticas. Por favor consulta la sección de Consejos & Trucos de la documentación para más información. ", + "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 & Tricks section and the documentation for more information." : "Es importante que todo esté configurado correctamente por la seguridad y desempeño de tu instancia. Para ayudarte con esto, estamos haciendo unas validaciones automáticas. Por favor ve la sección de Consejos y Trucos así como la documentación para más información.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP no parece estar configurado correctamente para consultar las variables de ambiente. La prueba con getenv(\"PATH\") sólo regresa una respuesta vacía.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Por favor verifica la <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentación de instalación ↗</a> en relación a las notas de configuración de PHP y la configuración de PHP en tu servidorr, especialmente cuando se usa php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "La configuración de Sólo Lectura ha sido habilitada. Esto previene establecer algunas configuraciones mediante la interface web. Adicionalmente, el archivo necesita que se le establezca tener permisos de escritura manualmente en cada actualización. ", @@ -440,8 +440,9 @@ OC.L10N.register( "Subscribe to our newsletter!" : "¡Suscríbete a nuestro boletín!", "Show last log in" : "Mostrar el último inicio de sesión", "Verifying" : "Verificando", + "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." : "Es importante para la seguridad y desempeño de su instancia que todo esté configurado correctamente. Para ayudarlo con esto, estamos haciendo algunas verficaciones automáticas. Por favor consulta la sección de Consejos & Trucos de la documentación para más información. ", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "El modulo PHP 'fileinfo' no ha sido encontrado. Te recomendamos ámpliamente que habilites este módulo para obtener los mejores resultados en la detección de tipos MIME.", - "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Los clientes web, móviles y de escritorio así como contraseñas de aplicación específica que tienen acceso a tu cuenta.", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "A continuación se presenta un listado de las sesiones, dispositivos y eventos que se han presentado en tu cuenta. ", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Aquí puedes generar contraseñas individuales para las aplicaciones para que no tengas que dar tu contraseña. También puedes revocalras individualmente. ", "Follow us on Google+!" : "¡Síguenos en Google+!", "Follow us on Twitter!" : "¡Síguenos en Twitter!", diff --git a/settings/l10n/es_MX.json b/settings/l10n/es_MX.json index 361a602a2f3..ced4947a30a 100644 --- a/settings/l10n/es_MX.json +++ b/settings/l10n/es_MX.json @@ -99,8 +99,8 @@ "Enable" : "Habilitar", "Enabling app …" : "Habilitando aplicación ...", "Error while enabling app" : "Se presentó un error al habilitar la aplicación", - "Error: this app cannot be enabled because it makes the server unstable" : "Error: esta aplicación no puede ser habilitada porque genera inestabilidad en el servidor", - "Error: could not disable broken app" : "Error: No fue posible deshaiblitar la aplicación rota", + "Error: This app can not be enabled because it makes the server unstable" : "Error: Esta aplicación no puede ser habilitada porque genera inestabilidad en el servidor", + "Error: Could not disable broken app" : "Error: No fue posible deshabilitar la aplicación rota", "Error while disabling broken app" : "Se presentó un error al deshabilitar la aplicación rota", "Updating...." : "Actualizando....", "Error while updating app" : "Se presentó un error al actualizar la aplicación", @@ -247,7 +247,7 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Necesitas migar tus llaves de encripción de la encripción anterior (ownCloud <=8.0) a la actual. ", "Start migration" : "Iniciar migración", "Security & setup warnings" : "Advertencias de seguridad y configuración", - "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." : "Es importante para la seguridad y desempeño de su instancia que todo esté configurado correctamente. Para ayudarlo con esto, estamos haciendo algunas verficaciones automáticas. Por favor consulta la sección de Consejos & Trucos de la documentación para más información. ", + "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 & Tricks section and the documentation for more information." : "Es importante que todo esté configurado correctamente por la seguridad y desempeño de tu instancia. Para ayudarte con esto, estamos haciendo unas validaciones automáticas. Por favor ve la sección de Consejos y Trucos así como la documentación para más información.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP no parece estar configurado correctamente para consultar las variables de ambiente. La prueba con getenv(\"PATH\") sólo regresa una respuesta vacía.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Por favor verifica la <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentación de instalación ↗</a> en relación a las notas de configuración de PHP y la configuración de PHP en tu servidorr, especialmente cuando se usa php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "La configuración de Sólo Lectura ha sido habilitada. Esto previene establecer algunas configuraciones mediante la interface web. Adicionalmente, el archivo necesita que se le establezca tener permisos de escritura manualmente en cada actualización. ", @@ -438,8 +438,9 @@ "Subscribe to our newsletter!" : "¡Suscríbete a nuestro boletín!", "Show last log in" : "Mostrar el último inicio de sesión", "Verifying" : "Verificando", + "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." : "Es importante para la seguridad y desempeño de su instancia que todo esté configurado correctamente. Para ayudarlo con esto, estamos haciendo algunas verficaciones automáticas. Por favor consulta la sección de Consejos & Trucos de la documentación para más información. ", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "El modulo PHP 'fileinfo' no ha sido encontrado. Te recomendamos ámpliamente que habilites este módulo para obtener los mejores resultados en la detección de tipos MIME.", - "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Los clientes web, móviles y de escritorio así como contraseñas de aplicación específica que tienen acceso a tu cuenta.", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "A continuación se presenta un listado de las sesiones, dispositivos y eventos que se han presentado en tu cuenta. ", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Aquí puedes generar contraseñas individuales para las aplicaciones para que no tengas que dar tu contraseña. También puedes revocalras individualmente. ", "Follow us on Google+!" : "¡Síguenos en Google+!", "Follow us on Twitter!" : "¡Síguenos en Twitter!", diff --git a/settings/l10n/eu.js b/settings/l10n/eu.js index d32a5d6d28d..69f8d402fbe 100644 --- a/settings/l10n/eu.js +++ b/settings/l10n/eu.js @@ -56,8 +56,6 @@ OC.L10N.register( "Enable" : "Gaitu", "Enabling app …" : "Aplikazioa gaitzen...", "Error while enabling app" : "Erroea izan da aplikazioa gaitzerakoan", - "Error: this app cannot be enabled because it makes the server unstable" : "Akatsa: Aplikazioa hau ezin da gaitu zerbitzaria ezegonkor izatea egiten duelako", - "Error: could not disable broken app" : "Akatsa: ezin da hondatutako aplikazioa desgaitu", "Error while disabling broken app" : "Akatsa hondatutako aplikazioa desgaitzerakoan", "Updating...." : "Eguneratzen...", "Error while updating app" : "Errorea aplikazioa eguneratzen zen bitartean", diff --git a/settings/l10n/eu.json b/settings/l10n/eu.json index 80733a71b4a..5807c1a50a8 100644 --- a/settings/l10n/eu.json +++ b/settings/l10n/eu.json @@ -54,8 +54,6 @@ "Enable" : "Gaitu", "Enabling app …" : "Aplikazioa gaitzen...", "Error while enabling app" : "Erroea izan da aplikazioa gaitzerakoan", - "Error: this app cannot be enabled because it makes the server unstable" : "Akatsa: Aplikazioa hau ezin da gaitu zerbitzaria ezegonkor izatea egiten duelako", - "Error: could not disable broken app" : "Akatsa: ezin da hondatutako aplikazioa desgaitu", "Error while disabling broken app" : "Akatsa hondatutako aplikazioa desgaitzerakoan", "Updating...." : "Eguneratzen...", "Error while updating app" : "Errorea aplikazioa eguneratzen zen bitartean", diff --git a/settings/l10n/fi.js b/settings/l10n/fi.js index 328b0116f01..0c3cd0f680c 100644 --- a/settings/l10n/fi.js +++ b/settings/l10n/fi.js @@ -95,8 +95,6 @@ OC.L10N.register( "Enable" : "Käytä", "Enabling app …" : "Otetaan sovellusta käyttöön...", "Error while enabling app" : "Virhe ottaessa sovellusta käyttöön", - "Error: this app cannot be enabled because it makes the server unstable" : "Virhe: tätä sovellusta ei voi ottaa käyttöön, koska se tekee palvelimesta epävakaan", - "Error: could not disable broken app" : "Virhe: rikkinäisen sovelluksen poistaminen käytöstä ei onnistunut", "Error while disabling broken app" : "Virhe rikkinäistä sovellusta käytöstä poistaessa", "Updating...." : "Päivitetään...", "Error while updating app" : "Virhe sovellusta päivittäessä", diff --git a/settings/l10n/fi.json b/settings/l10n/fi.json index 29a01413bce..169955b71c3 100644 --- a/settings/l10n/fi.json +++ b/settings/l10n/fi.json @@ -93,8 +93,6 @@ "Enable" : "Käytä", "Enabling app …" : "Otetaan sovellusta käyttöön...", "Error while enabling app" : "Virhe ottaessa sovellusta käyttöön", - "Error: this app cannot be enabled because it makes the server unstable" : "Virhe: tätä sovellusta ei voi ottaa käyttöön, koska se tekee palvelimesta epävakaan", - "Error: could not disable broken app" : "Virhe: rikkinäisen sovelluksen poistaminen käytöstä ei onnistunut", "Error while disabling broken app" : "Virhe rikkinäistä sovellusta käytöstä poistaessa", "Updating...." : "Päivitetään...", "Error while updating app" : "Virhe sovellusta päivittäessä", diff --git a/settings/l10n/fr.js b/settings/l10n/fr.js index 491347cce61..22069fcc180 100644 --- a/settings/l10n/fr.js +++ b/settings/l10n/fr.js @@ -101,8 +101,8 @@ OC.L10N.register( "Enable" : "Activer", "Enabling app …" : "Activation de l'application...", "Error while enabling app" : "Erreur lors de l'activation de l'application", - "Error: this app cannot be enabled because it makes the server unstable" : "Erreur : Cette application ne peut pas être activer car cela le serveur instable .", - "Error: could not disable broken app" : "Erreur : Impossible de désactiver l’application cassé ", + "Error: This app can not be enabled because it makes the server unstable" : "Erreur : Cette application ne peut pas être activée car cela rend le serveur instable.", + "Error: Could not disable broken app" : "Erreur : Impossible de désactiver l’application cassé", "Error while disabling broken app" : "Erreur lors de la désactivation de l'application cassé .", "Updating...." : "Mise à jour...", "Error while updating app" : "Erreur lors de la mise à jour de l'application", @@ -249,7 +249,7 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Vous devez migrer vos clés de chiffrement de l'ancienne version (ownCloud <= 8.0) vers la nouvelle.", "Start migration" : "Démarrer la migration", "Security & setup warnings" : "Avertissements de sécurité & configuration", - "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." : "C'est important pour la sécurité et la performance de votre instance que tout soit configuré correctement. Pour vous aider, nous effectuons quelques vérifications automatiques. Veuillez consulter la section Trucs & Astuces et la documentation pour plus d'informations.", + "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 & Tricks section and the documentation for more information." : "Il est important pour la sécurité et la performance de votre instance que tout soit configuré correctement. Pour vous aider dans cette tâche, nous faisons des vérifications automatiques. Veuillez consulter la section Trucs et Astuces et la documentation pour plus d'informations.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP ne semble pas être configuré de manière à récupérer les valeurs des variables d’environnement. Le test de la commande getenv(\"PATH\") retourne seulement une réponse vide. ", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Veuillez consulter <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">la documentation d'installation ↗</a> pour savoir comment configurer PHP sur votre serveur, en particulier en cas d'utilisation de php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "La configuration est en mode lecture seule. Ceci empêche la modification de certaines configurations via l'interface web. De plus, le fichier doit être passé manuellement en lecture-écriture avant chaque mise à jour.", @@ -440,6 +440,7 @@ OC.L10N.register( "Subscribe to our newsletter!" : "Abonnez-vous à notre newsletter!", "Show last log in" : "Montrer la dernière connexion", "Verifying" : "Vérification en cours", + "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." : "C'est important pour la sécurité et la performance de votre instance que tout soit configuré correctement. Pour vous aider, nous effectuons quelques vérifications automatiques. Veuillez consulter la section Trucs & Astuces et la documentation pour plus d'informations.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Le module PHP 'fileinfo' est manquant. Il est vivement recommandé de l'activer afin d'obtenir de meilleurs résultats de détection du type MIME.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Clients web, desktop, mobiles et mots de passe spécifiques d'application qui ont actuellement accès à votre compte.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Ici vous pouvez générer des mots de passe individuels pour les applications pour éviter de communiquer votre mot de passe. Vous pouvez aussi les révoquer individuellement.", diff --git a/settings/l10n/fr.json b/settings/l10n/fr.json index ce9fba59e72..7634f833c08 100644 --- a/settings/l10n/fr.json +++ b/settings/l10n/fr.json @@ -99,8 +99,8 @@ "Enable" : "Activer", "Enabling app …" : "Activation de l'application...", "Error while enabling app" : "Erreur lors de l'activation de l'application", - "Error: this app cannot be enabled because it makes the server unstable" : "Erreur : Cette application ne peut pas être activer car cela le serveur instable .", - "Error: could not disable broken app" : "Erreur : Impossible de désactiver l’application cassé ", + "Error: This app can not be enabled because it makes the server unstable" : "Erreur : Cette application ne peut pas être activée car cela rend le serveur instable.", + "Error: Could not disable broken app" : "Erreur : Impossible de désactiver l’application cassé", "Error while disabling broken app" : "Erreur lors de la désactivation de l'application cassé .", "Updating...." : "Mise à jour...", "Error while updating app" : "Erreur lors de la mise à jour de l'application", @@ -247,7 +247,7 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Vous devez migrer vos clés de chiffrement de l'ancienne version (ownCloud <= 8.0) vers la nouvelle.", "Start migration" : "Démarrer la migration", "Security & setup warnings" : "Avertissements de sécurité & configuration", - "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." : "C'est important pour la sécurité et la performance de votre instance que tout soit configuré correctement. Pour vous aider, nous effectuons quelques vérifications automatiques. Veuillez consulter la section Trucs & Astuces et la documentation pour plus d'informations.", + "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 & Tricks section and the documentation for more information." : "Il est important pour la sécurité et la performance de votre instance que tout soit configuré correctement. Pour vous aider dans cette tâche, nous faisons des vérifications automatiques. Veuillez consulter la section Trucs et Astuces et la documentation pour plus d'informations.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP ne semble pas être configuré de manière à récupérer les valeurs des variables d’environnement. Le test de la commande getenv(\"PATH\") retourne seulement une réponse vide. ", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Veuillez consulter <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">la documentation d'installation ↗</a> pour savoir comment configurer PHP sur votre serveur, en particulier en cas d'utilisation de php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "La configuration est en mode lecture seule. Ceci empêche la modification de certaines configurations via l'interface web. De plus, le fichier doit être passé manuellement en lecture-écriture avant chaque mise à jour.", @@ -438,6 +438,7 @@ "Subscribe to our newsletter!" : "Abonnez-vous à notre newsletter!", "Show last log in" : "Montrer la dernière connexion", "Verifying" : "Vérification en cours", + "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." : "C'est important pour la sécurité et la performance de votre instance que tout soit configuré correctement. Pour vous aider, nous effectuons quelques vérifications automatiques. Veuillez consulter la section Trucs & Astuces et la documentation pour plus d'informations.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Le module PHP 'fileinfo' est manquant. Il est vivement recommandé de l'activer afin d'obtenir de meilleurs résultats de détection du type MIME.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Clients web, desktop, mobiles et mots de passe spécifiques d'application qui ont actuellement accès à votre compte.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Ici vous pouvez générer des mots de passe individuels pour les applications pour éviter de communiquer votre mot de passe. Vous pouvez aussi les révoquer individuellement.", diff --git a/settings/l10n/he.js b/settings/l10n/he.js index 86893231804..b634ff99c4a 100644 --- a/settings/l10n/he.js +++ b/settings/l10n/he.js @@ -46,8 +46,6 @@ OC.L10N.register( "Disable" : "ניטרול", "Enable" : "הפעלה", "Error while enabling app" : "שגיאה בעת הפעלת יישום", - "Error: this app cannot be enabled because it makes the server unstable" : "שגיאה: לא ניתן להפעיל יישום זה כיוון שהוא גורם לשרת להיות לא יציב. ", - "Error: could not disable broken app" : "שגיאה: לא ניתן לנטרל יישום פגום", "Error while disabling broken app" : "שגיאה בזמן נטרול יישום פגום", "Updating...." : "מתבצע עדכון…", "Error while updating app" : "אירעה שגיאה בעת עדכון היישום", diff --git a/settings/l10n/he.json b/settings/l10n/he.json index 91bd7d54a23..d02446ae3ca 100644 --- a/settings/l10n/he.json +++ b/settings/l10n/he.json @@ -44,8 +44,6 @@ "Disable" : "ניטרול", "Enable" : "הפעלה", "Error while enabling app" : "שגיאה בעת הפעלת יישום", - "Error: this app cannot be enabled because it makes the server unstable" : "שגיאה: לא ניתן להפעיל יישום זה כיוון שהוא גורם לשרת להיות לא יציב. ", - "Error: could not disable broken app" : "שגיאה: לא ניתן לנטרל יישום פגום", "Error while disabling broken app" : "שגיאה בזמן נטרול יישום פגום", "Updating...." : "מתבצע עדכון…", "Error while updating app" : "אירעה שגיאה בעת עדכון היישום", diff --git a/settings/l10n/hu.js b/settings/l10n/hu.js index e81efb196dd..4af053ded7b 100644 --- a/settings/l10n/hu.js +++ b/settings/l10n/hu.js @@ -67,8 +67,6 @@ OC.L10N.register( "Enable" : "Engedélyezés", "Enabling app …" : "Alkalmazás engedélyezése ...", "Error while enabling app" : "Hiba az alkalmazás engedélyezése közben", - "Error: this app cannot be enabled because it makes the server unstable" : "Hiba: ezt az alkalmzást nem lehet engedélyezni, mert a szerver instabilitását eredményezné", - "Error: could not disable broken app" : "Hiba: nem lehet tiltani a megtört alkalmazást", "Error while disabling broken app" : "Hiba történt a megtört alkalmazás tiltása közben", "Updating...." : "Frissítés folyamatban...", "Error while updating app" : "Hiba történt az alkalmazás frissítése közben", diff --git a/settings/l10n/hu.json b/settings/l10n/hu.json index 24a93468c2d..cbee1008f6b 100644 --- a/settings/l10n/hu.json +++ b/settings/l10n/hu.json @@ -65,8 +65,6 @@ "Enable" : "Engedélyezés", "Enabling app …" : "Alkalmazás engedélyezése ...", "Error while enabling app" : "Hiba az alkalmazás engedélyezése közben", - "Error: this app cannot be enabled because it makes the server unstable" : "Hiba: ezt az alkalmzást nem lehet engedélyezni, mert a szerver instabilitását eredményezné", - "Error: could not disable broken app" : "Hiba: nem lehet tiltani a megtört alkalmazást", "Error while disabling broken app" : "Hiba történt a megtört alkalmazás tiltása közben", "Updating...." : "Frissítés folyamatban...", "Error while updating app" : "Hiba történt az alkalmazás frissítése közben", diff --git a/settings/l10n/ia.js b/settings/l10n/ia.js index 4bbb07f3c58..4dc4e344c93 100644 --- a/settings/l10n/ia.js +++ b/settings/l10n/ia.js @@ -51,7 +51,6 @@ OC.L10N.register( "Enable" : "Activar", "Enabling app …" : "Activante application...", "Error while enabling app" : "Error durante activation del application...", - "Error: this app cannot be enabled because it makes the server unstable" : "Error: iste application non pote esser activate proque illo face le servitor esser instabile", "Updating...." : "Actualisante...", "Error while updating app" : "Error durante actualisation del application", "Updated" : "Actualisate", diff --git a/settings/l10n/ia.json b/settings/l10n/ia.json index c91d6c0ffc8..b274b3182fa 100644 --- a/settings/l10n/ia.json +++ b/settings/l10n/ia.json @@ -49,7 +49,6 @@ "Enable" : "Activar", "Enabling app …" : "Activante application...", "Error while enabling app" : "Error durante activation del application...", - "Error: this app cannot be enabled because it makes the server unstable" : "Error: iste application non pote esser activate proque illo face le servitor esser instabile", "Updating...." : "Actualisante...", "Error while updating app" : "Error durante actualisation del application", "Updated" : "Actualisate", diff --git a/settings/l10n/id.js b/settings/l10n/id.js index db201cc14ea..0532693df10 100644 --- a/settings/l10n/id.js +++ b/settings/l10n/id.js @@ -56,8 +56,6 @@ OC.L10N.register( "Disable" : "Nonaktifkan", "Enable" : "Aktifkan", "Error while enabling app" : "Terjadi kesalahan saat mengakifkan aplikasi", - "Error: this app cannot be enabled because it makes the server unstable" : "Kesalahan: Aplikasi ini tidak bisa diaktifkan karena membuat server tidak stabil", - "Error: could not disable broken app" : "Kesalahan: Tidak dapat menonaktifkan aplikasi rusak", "Error while disabling broken app" : "Terjadi kesalahan saat menonaktifkan aplikasi rusak", "Updating...." : "Memperbarui....", "Error while updating app" : "Terjadi kesalahan saat memperbarui aplikasi", diff --git a/settings/l10n/id.json b/settings/l10n/id.json index 4bb8331fb54..9d1b1098455 100644 --- a/settings/l10n/id.json +++ b/settings/l10n/id.json @@ -54,8 +54,6 @@ "Disable" : "Nonaktifkan", "Enable" : "Aktifkan", "Error while enabling app" : "Terjadi kesalahan saat mengakifkan aplikasi", - "Error: this app cannot be enabled because it makes the server unstable" : "Kesalahan: Aplikasi ini tidak bisa diaktifkan karena membuat server tidak stabil", - "Error: could not disable broken app" : "Kesalahan: Tidak dapat menonaktifkan aplikasi rusak", "Error while disabling broken app" : "Terjadi kesalahan saat menonaktifkan aplikasi rusak", "Updating...." : "Memperbarui....", "Error while updating app" : "Terjadi kesalahan saat memperbarui aplikasi", diff --git a/settings/l10n/is.js b/settings/l10n/is.js index ff7b35f0d0c..a6084b1c628 100644 --- a/settings/l10n/is.js +++ b/settings/l10n/is.js @@ -101,8 +101,8 @@ OC.L10N.register( "Enable" : "Virkja", "Enabling app …" : "Virkja forrit …", "Error while enabling app" : "Villa við að virkja forrit", - "Error: this app cannot be enabled because it makes the server unstable" : "Villa: ekki er hægt að virkja þetta forrit því það gerir þjóninn óstöðugan", - "Error: could not disable broken app" : "Villa: gat ekki gert bilaða forritið óvirkt", + "Error: This app can not be enabled because it makes the server unstable" : "Villa: ekki er hægt að virkja þetta forrit því það gerir þjóninn óstöðugan.", + "Error: Could not disable broken app" : "Villa: gat ekki gert bilaða forritið óvirkt", "Error while disabling broken app" : "Villa við að gera bilaða forritið óvirkt", "Updating...." : "Uppfæri...", "Error while updating app" : "Villa við að uppfæra forrit", @@ -249,12 +249,20 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Þú verður að yfirfæra dulritunarlyklana þína úr gömlu dulrituninni (ownCloud <= 8.0) yfir í þá nýju.", "Start migration" : "Hefja yfirfærslu", "Security & setup warnings" : "Öryggi og aðvaranir vegna uppsetningar", - "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." : "Það er mikilvægt fyrir öryggi og afköst uppsetningarinnar þinnar að allt sé rétt stillt. Til að hjálpa við að svo sé, eru gerðar ýmsar sjálfvirkar prófanir. Skoðaðu 'Ábendingar og góð ráð' (Tips & Tricks) og hjálparskjölin til að sjá ítarlegar upplýsingar.", + "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "Það lítur út eins og að PHP sé ekki rétt sett upp varðandi fyrirspurnir um umhverfisbreytur. Prófun með getenv(\"PATH\") skilar auðu svari.", + "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Endilega skoðaðu <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">hjálparskjöl uppsetningarinnar ↗</a> varðandi athugasemdir vegna uppsetningar PHP og sjálfa uppsetningu PHP-þjónsins, Sérstaklega ef þú notar php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Skrifvarða stillingaskráin hefur verið virkjuð. Þetta kemur í veg fyrir að hægt sé að sýsla með sumar stillingar í gegnum vefviðmótið. Að auki þarf þessi skrá að vera skrifanleg við hverja uppfærslu.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "PHP virðist vera sett upp to fjarlægja innantextablokkir (inline doc blocks). Þetta mun gera ýmis kjarnaforrit óaðgengileg.", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Þessu veldur væntanlega biðminni/hraðall á borð við Zend OPcache eða eAccelerator.", "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Gagnagrunnurinn keyrir ekki með \"READ COMMITTED\" færsluaðgreiningarstiginu. Þetta getur valdið vandamálum þegar margar aðgerðir eru keyrðar í einu.", + "%1$s below version %2$s is installed, for stability and performance reasons it is recommended to update to a newer %1$s version." : "%1$s eldra en útgáfa %2$s er uppsett, en vegna stöðugleika og afkasta mælum við með að útgáfa %1$s verði sett upp.", + "The PHP module 'fileinfo' is missing. It is strongly recommended to enable this module to get the best results with MIME type detection." : "PHP-eininguna 'fileinfo' vantar. Við mælum eindregið með notkun þessarar einingar til að fá bestu útkomu við greiningu á MIME-skráagerðum.", "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentation ↗</a> for more information." : "Færslulæsing skráa (transactional file locking) er óvirk, þetta gæti leitt til vandamála út frá forgangsskilyrðum (race conditions). Virkjaðu 'filelocking.enabled' í config.php til að forðast slík vandamál. Skoðaðu <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">hjálparskjölin ↗</a> til að sjá nánari upplýsingar.", "System locale can not be set to a one which supports UTF-8." : "Ekki var hægt að setja staðfærslu kerfisins á neina sem styður UTF-8.", + "This means that there might be problems with certain characters in filenames." : "Þetta þýðir að það geta komið upp vandamál við að birta ákveðna stafi í skráaheitum.", + "It is strongly proposed to install the required packages on your system to support one of the following locales: %s." : "Við mælum eindregið með því að þessir nauðsynlegu pakkar séu á kerfinu til stuðnings einnar af eftirfarandi staðfærslum: %s", + "If your installation is not installed at the root of the domain and uses system Cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "Ef uppsetningin þín er ekki á rót lénsins og þú notar cron stýrikerfisins, þá geta komið upp vandamál við gerð URL-slóða. Til að forðast slík vandamál, skaltu stilla \"overwrite.cli.url\" valkostinn í config.php skránni þinni á slóð vefrótarinnar (webroot) í uppsetningunni (tillaga: \"%s\")", + "It was not possible to execute the cron job via CLI. The following technical errors have appeared:" : "Ekki var hægt að keyra cron-verkið á skipanalínu. Eftirfarandi tæknilegar villur komu upp:", "Please double check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation guides ↗</a>, and check for any errors or warnings in the <a href=\"%s\">log</a>." : "Yfirfarðu vandlega <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">uppsetningarleiðbeiningarnar ↗</a>, og athugaðu hvort nokkrar villumeldingar eða aðvaranir séu í <a href=\"%s\">annálnum</a>.", "All checks passed." : "Stóðst allar prófanir.", "Background jobs" : "Verk í bakgrunni", @@ -263,8 +271,10 @@ OC.L10N.register( "Background job didn’t run yet!" : "Bakgrunnsverk hefur ekki ennþá verið keyrt!", "For optimal performance it's important to configure background jobs correctly. For bigger instances 'Cron' is the recommended setting. Please see the documentation for more information." : "Til að ná bestum afköstum er mikilvægt að stilla bakgrunnsverk rétt. Fyrir stórar uppsetningar er mælt með því að nota 'cron' kerfisins. Skoðaðu hjálparskjölin til að sjá ítarlegar upplýsingar.", "Execute one task with each page loaded" : "Framkvæma eitt verk með hverri innhlaðinni síðu", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over HTTP." : "cron.php er skráð á webcron-þjónustu til að kalla á cron.php á 15 mínútna fresti yfir HTTP.", "Use system cron service to call the cron.php file every 15 minutes." : "Nota cron-þjónustu kerfisins til að kalla á cron.php skrána á 15 mínútna fresti.", "The cron.php needs to be executed by the system user \"%s\"." : "cron.php verður að vera keyrt af kerfisnotandanum \"%s\".", + "To run this you need the PHP POSIX extension. See {linkstart}PHP documentation{linkend} for more details." : "Til að keyra þetta þarftu að hafa PHP-POSIX-viðaukann (extension). Skoðaðu {linkstart}PHP-hjálparskjölin{linkend} fyrir nánari útlistun.", "Version" : "Útgáfa", "Sharing" : "Deiling", "As admin you can fine-tune the sharing behavior. Please see the documentation for more information." : "Sem stjórnandi geturðu fínstillt hegðun við deilingu. Endilega kíktu á hjálparskjölin til að sjá ítarlegri upplýsingar.", @@ -339,6 +349,11 @@ OC.L10N.register( "Username" : "Notandanafn", "Done" : "Lokið", "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Þróað af {communityopen}Nextcloud samfélaginu{linkclose}, {githubopen}grunnkóðinn{linkclose} er gefinn út með {licenseopen}AGPL{linkclose} notkunarleyfinu.", + "Follow us on Google+" : "Fylgstu með okkur á Google+", + "Like our Facebook page" : "Líkaðu við Facebook-síðuna okkar", + "Follow us on Twitter" : "Fylgstu með okkur á Twitter", + "Check out our blog" : "Kíktu á bloggið okkar", + "Subscribe to our newsletter" : "Gerstu áskrifandi að fréttabréfinu okkar", "Settings" : "Stillingar", "Show storage location" : "Birta staðsetningu gagnageymslu", "Show user backend" : "Birta bakenda notanda", @@ -424,6 +439,7 @@ OC.L10N.register( "Subscribe to our newsletter!" : "Gerstu áskrifandi að fréttabréfinu okkar!", "Show last log in" : "Birta síðustu innskráningu", "Verifying" : "Sannreyni", + "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." : "Það er mikilvægt fyrir öryggi og afköst uppsetningarinnar þinnar að allt sé rétt stillt. Til að hjálpa við að svo sé, eru gerðar ýmsar sjálfvirkar prófanir. Skoðaðu 'Ábendingar og góð ráð' (Tips & Tricks) og hjálparskjölin til að sjá ítarlegar upplýsingar.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP-eininguna 'fileinfo' vantar. Við mælum eindregið með notkun þessarar einingar til að fá bestu útkomu við greiningu á MIME-skráagerðum.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Veftól, tölvur, símar og sértæk lykilorð forrita sem núna hafa aðgang inn á aðganginn þinn.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Hér geturðu útbúið sérstök lykilorð fyrir hvert forrit svo að þú þurfir ekki að gefa upp lykilorðið þitt. Þú getur líka afturkallað þau hvert fyrir sig.", diff --git a/settings/l10n/is.json b/settings/l10n/is.json index 90461566e58..9b8b7578135 100644 --- a/settings/l10n/is.json +++ b/settings/l10n/is.json @@ -99,8 +99,8 @@ "Enable" : "Virkja", "Enabling app …" : "Virkja forrit …", "Error while enabling app" : "Villa við að virkja forrit", - "Error: this app cannot be enabled because it makes the server unstable" : "Villa: ekki er hægt að virkja þetta forrit því það gerir þjóninn óstöðugan", - "Error: could not disable broken app" : "Villa: gat ekki gert bilaða forritið óvirkt", + "Error: This app can not be enabled because it makes the server unstable" : "Villa: ekki er hægt að virkja þetta forrit því það gerir þjóninn óstöðugan.", + "Error: Could not disable broken app" : "Villa: gat ekki gert bilaða forritið óvirkt", "Error while disabling broken app" : "Villa við að gera bilaða forritið óvirkt", "Updating...." : "Uppfæri...", "Error while updating app" : "Villa við að uppfæra forrit", @@ -247,12 +247,20 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Þú verður að yfirfæra dulritunarlyklana þína úr gömlu dulrituninni (ownCloud <= 8.0) yfir í þá nýju.", "Start migration" : "Hefja yfirfærslu", "Security & setup warnings" : "Öryggi og aðvaranir vegna uppsetningar", - "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." : "Það er mikilvægt fyrir öryggi og afköst uppsetningarinnar þinnar að allt sé rétt stillt. Til að hjálpa við að svo sé, eru gerðar ýmsar sjálfvirkar prófanir. Skoðaðu 'Ábendingar og góð ráð' (Tips & Tricks) og hjálparskjölin til að sjá ítarlegar upplýsingar.", + "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "Það lítur út eins og að PHP sé ekki rétt sett upp varðandi fyrirspurnir um umhverfisbreytur. Prófun með getenv(\"PATH\") skilar auðu svari.", + "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Endilega skoðaðu <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">hjálparskjöl uppsetningarinnar ↗</a> varðandi athugasemdir vegna uppsetningar PHP og sjálfa uppsetningu PHP-þjónsins, Sérstaklega ef þú notar php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Skrifvarða stillingaskráin hefur verið virkjuð. Þetta kemur í veg fyrir að hægt sé að sýsla með sumar stillingar í gegnum vefviðmótið. Að auki þarf þessi skrá að vera skrifanleg við hverja uppfærslu.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "PHP virðist vera sett upp to fjarlægja innantextablokkir (inline doc blocks). Þetta mun gera ýmis kjarnaforrit óaðgengileg.", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Þessu veldur væntanlega biðminni/hraðall á borð við Zend OPcache eða eAccelerator.", "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Gagnagrunnurinn keyrir ekki með \"READ COMMITTED\" færsluaðgreiningarstiginu. Þetta getur valdið vandamálum þegar margar aðgerðir eru keyrðar í einu.", + "%1$s below version %2$s is installed, for stability and performance reasons it is recommended to update to a newer %1$s version." : "%1$s eldra en útgáfa %2$s er uppsett, en vegna stöðugleika og afkasta mælum við með að útgáfa %1$s verði sett upp.", + "The PHP module 'fileinfo' is missing. It is strongly recommended to enable this module to get the best results with MIME type detection." : "PHP-eininguna 'fileinfo' vantar. Við mælum eindregið með notkun þessarar einingar til að fá bestu útkomu við greiningu á MIME-skráagerðum.", "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentation ↗</a> for more information." : "Færslulæsing skráa (transactional file locking) er óvirk, þetta gæti leitt til vandamála út frá forgangsskilyrðum (race conditions). Virkjaðu 'filelocking.enabled' í config.php til að forðast slík vandamál. Skoðaðu <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">hjálparskjölin ↗</a> til að sjá nánari upplýsingar.", "System locale can not be set to a one which supports UTF-8." : "Ekki var hægt að setja staðfærslu kerfisins á neina sem styður UTF-8.", + "This means that there might be problems with certain characters in filenames." : "Þetta þýðir að það geta komið upp vandamál við að birta ákveðna stafi í skráaheitum.", + "It is strongly proposed to install the required packages on your system to support one of the following locales: %s." : "Við mælum eindregið með því að þessir nauðsynlegu pakkar séu á kerfinu til stuðnings einnar af eftirfarandi staðfærslum: %s", + "If your installation is not installed at the root of the domain and uses system Cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "Ef uppsetningin þín er ekki á rót lénsins og þú notar cron stýrikerfisins, þá geta komið upp vandamál við gerð URL-slóða. Til að forðast slík vandamál, skaltu stilla \"overwrite.cli.url\" valkostinn í config.php skránni þinni á slóð vefrótarinnar (webroot) í uppsetningunni (tillaga: \"%s\")", + "It was not possible to execute the cron job via CLI. The following technical errors have appeared:" : "Ekki var hægt að keyra cron-verkið á skipanalínu. Eftirfarandi tæknilegar villur komu upp:", "Please double check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation guides ↗</a>, and check for any errors or warnings in the <a href=\"%s\">log</a>." : "Yfirfarðu vandlega <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">uppsetningarleiðbeiningarnar ↗</a>, og athugaðu hvort nokkrar villumeldingar eða aðvaranir séu í <a href=\"%s\">annálnum</a>.", "All checks passed." : "Stóðst allar prófanir.", "Background jobs" : "Verk í bakgrunni", @@ -261,8 +269,10 @@ "Background job didn’t run yet!" : "Bakgrunnsverk hefur ekki ennþá verið keyrt!", "For optimal performance it's important to configure background jobs correctly. For bigger instances 'Cron' is the recommended setting. Please see the documentation for more information." : "Til að ná bestum afköstum er mikilvægt að stilla bakgrunnsverk rétt. Fyrir stórar uppsetningar er mælt með því að nota 'cron' kerfisins. Skoðaðu hjálparskjölin til að sjá ítarlegar upplýsingar.", "Execute one task with each page loaded" : "Framkvæma eitt verk með hverri innhlaðinni síðu", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over HTTP." : "cron.php er skráð á webcron-þjónustu til að kalla á cron.php á 15 mínútna fresti yfir HTTP.", "Use system cron service to call the cron.php file every 15 minutes." : "Nota cron-þjónustu kerfisins til að kalla á cron.php skrána á 15 mínútna fresti.", "The cron.php needs to be executed by the system user \"%s\"." : "cron.php verður að vera keyrt af kerfisnotandanum \"%s\".", + "To run this you need the PHP POSIX extension. See {linkstart}PHP documentation{linkend} for more details." : "Til að keyra þetta þarftu að hafa PHP-POSIX-viðaukann (extension). Skoðaðu {linkstart}PHP-hjálparskjölin{linkend} fyrir nánari útlistun.", "Version" : "Útgáfa", "Sharing" : "Deiling", "As admin you can fine-tune the sharing behavior. Please see the documentation for more information." : "Sem stjórnandi geturðu fínstillt hegðun við deilingu. Endilega kíktu á hjálparskjölin til að sjá ítarlegri upplýsingar.", @@ -337,6 +347,11 @@ "Username" : "Notandanafn", "Done" : "Lokið", "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Þróað af {communityopen}Nextcloud samfélaginu{linkclose}, {githubopen}grunnkóðinn{linkclose} er gefinn út með {licenseopen}AGPL{linkclose} notkunarleyfinu.", + "Follow us on Google+" : "Fylgstu með okkur á Google+", + "Like our Facebook page" : "Líkaðu við Facebook-síðuna okkar", + "Follow us on Twitter" : "Fylgstu með okkur á Twitter", + "Check out our blog" : "Kíktu á bloggið okkar", + "Subscribe to our newsletter" : "Gerstu áskrifandi að fréttabréfinu okkar", "Settings" : "Stillingar", "Show storage location" : "Birta staðsetningu gagnageymslu", "Show user backend" : "Birta bakenda notanda", @@ -422,6 +437,7 @@ "Subscribe to our newsletter!" : "Gerstu áskrifandi að fréttabréfinu okkar!", "Show last log in" : "Birta síðustu innskráningu", "Verifying" : "Sannreyni", + "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." : "Það er mikilvægt fyrir öryggi og afköst uppsetningarinnar þinnar að allt sé rétt stillt. Til að hjálpa við að svo sé, eru gerðar ýmsar sjálfvirkar prófanir. Skoðaðu 'Ábendingar og góð ráð' (Tips & Tricks) og hjálparskjölin til að sjá ítarlegar upplýsingar.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP-eininguna 'fileinfo' vantar. Við mælum eindregið með notkun þessarar einingar til að fá bestu útkomu við greiningu á MIME-skráagerðum.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Veftól, tölvur, símar og sértæk lykilorð forrita sem núna hafa aðgang inn á aðganginn þinn.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Hér geturðu útbúið sérstök lykilorð fyrir hvert forrit svo að þú þurfir ekki að gefa upp lykilorðið þitt. Þú getur líka afturkallað þau hvert fyrir sig.", diff --git a/settings/l10n/it.js b/settings/l10n/it.js index a6815f9a80f..8638efd563e 100644 --- a/settings/l10n/it.js +++ b/settings/l10n/it.js @@ -84,8 +84,6 @@ OC.L10N.register( "Enable" : "Abilita", "Enabling app …" : "Abilitazione applicazione...", "Error while enabling app" : "Errore durante l'attivazione", - "Error: this app cannot be enabled because it makes the server unstable" : "Errore: questa applicazione non può essere abilitata perché rende il server instabile", - "Error: could not disable broken app" : "Errore: impossibile disabilitare l'applicazione danneggiata", "Error while disabling broken app" : "Errore durante la disabilitazione dell'applicazione danneggiata", "Updating...." : "Aggiornamento in corso...", "Error while updating app" : "Errore durante l'aggiornamento", diff --git a/settings/l10n/it.json b/settings/l10n/it.json index 36496965ec7..956cc054dab 100644 --- a/settings/l10n/it.json +++ b/settings/l10n/it.json @@ -82,8 +82,6 @@ "Enable" : "Abilita", "Enabling app …" : "Abilitazione applicazione...", "Error while enabling app" : "Errore durante l'attivazione", - "Error: this app cannot be enabled because it makes the server unstable" : "Errore: questa applicazione non può essere abilitata perché rende il server instabile", - "Error: could not disable broken app" : "Errore: impossibile disabilitare l'applicazione danneggiata", "Error while disabling broken app" : "Errore durante la disabilitazione dell'applicazione danneggiata", "Updating...." : "Aggiornamento in corso...", "Error while updating app" : "Errore durante l'aggiornamento", diff --git a/settings/l10n/ja.js b/settings/l10n/ja.js index 369ba10f73e..5a412cb4820 100644 --- a/settings/l10n/ja.js +++ b/settings/l10n/ja.js @@ -48,7 +48,7 @@ OC.L10N.register( "_You have %n app update pending_::_You have %n app updates pending_" : ["%n 個のアプリのアップデートを保留中"], "No apps found for your version" : "現在のバージョンに対応するアプリはありません", "The app will be downloaded from the app store" : "このアプリは、アプリストアからダウンロードできます。", - "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "公式アプリは ownCloud コミュニティにより開発されています。公式アプリは ownCloud の中心的な機能を提供し、製品として可能です。", + "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "公式アプリは Nextcloud コミュニティにより開発されています。公式アプリは Nextcloud の中心的な機能を提供し、製品として可能です。", "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "承認されたアプリは信頼された開発者により開発され、大まかなセキュリティチェックに合格しています。アプリは積極的にオープンソースコードレポジトリでメンテナンスされ、メンテナは通常の用途では安定していると考えます。", "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "このアプリはセキュリティチェックされていません、新規アプリか安定性が確認されていないアプリです。自己責任でインストールしてください。", "Disabling app …" : "アプリを無効にします …", @@ -57,8 +57,6 @@ OC.L10N.register( "Enable" : "有効にする", "Enabling app …" : "アプリを有効 ...", "Error while enabling app" : "アプリを有効にする際にエラーが発生", - "Error: this app cannot be enabled because it makes the server unstable" : "エラー:このアプリは、サーバーを不安定にするため、有効にすることができません。", - "Error: could not disable broken app" : "エラー: 壊れたアプリを無効にできませんでした", "Error while disabling broken app" : "壊れたアプリの無効化中にエラーが発生", "Updating...." : "更新中....", "Error while updating app" : "アプリの更新中にエラーが発生", @@ -181,7 +179,7 @@ OC.L10N.register( "Enable server-side encryption" : "サーバーサイド暗号化を有効にする", "Please read carefully before activating server-side encryption: " : "サーバーサイド暗号化を有効にする前によくお読みください:", "Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met." : "暗号化を一度有効化すると、この時点からサーバーにアップロードされるファイルの全てが暗号化されサーバー上に入ります。有効化された暗号モジュールは復号化機能をサポートしますが、すべての前提条件が満たされている(例えば、回復キーが設定されている)場合にのみ、後日暗号化を無効にすることが可能です。", - "Encryption alone does not guarantee security of the system. Please see documentation for more information about how the encryption app works, and the supported use cases." : "暗号化だけで、システムのセキュリティが保証されるものではありません。暗号化アプリがどのように動作するかの詳細について、およびサポートされているユースケースについてはownCloudのドキュメントを参照してください。", + "Encryption alone does not guarantee security of the system. Please see documentation for more information about how the encryption app works, and the supported use cases." : "暗号化だけで、システムのセキュリティが保証されるものではありません。暗号化アプリがどのように動作するかの詳細について、およびサポートされているユースケースについては Nextcloud のドキュメントを参照してください。", "Be aware that encryption always increases the file size." : "暗号化は、常にファイルサイズが増加することに注意してください。", "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "暗号化した場合には必ず、あなたのデータと共に暗号化キーをバックアップすることを確認し、定期的にデータをバックアップを作成することをお勧めします。", "This is the final warning: Do you really want to enable encryption?" : "これが最後の警告です:本当に暗号化を有効にしますか?", @@ -260,7 +258,7 @@ OC.L10N.register( "Change password" : "パスワードを変更", "Language" : "言語", "Help translate" : "翻訳に協力する", - "Web, desktop and mobile clients currently logged in to your account." : "現在、Web、デスクトップ、モバイルアプリで ownCloud にログインしている端末一覧です。", + "Web, desktop and mobile clients currently logged in to your account." : "現在、Web、デスクトップ、モバイルアプリであなたのアカウントにログインしている端末一覧です。", "Device" : "デバイス", "Last activity" : "最後の活動", "App name" : "アプリ名", diff --git a/settings/l10n/ja.json b/settings/l10n/ja.json index 25cff576e78..86dc1c7368d 100644 --- a/settings/l10n/ja.json +++ b/settings/l10n/ja.json @@ -46,7 +46,7 @@ "_You have %n app update pending_::_You have %n app updates pending_" : ["%n 個のアプリのアップデートを保留中"], "No apps found for your version" : "現在のバージョンに対応するアプリはありません", "The app will be downloaded from the app store" : "このアプリは、アプリストアからダウンロードできます。", - "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "公式アプリは ownCloud コミュニティにより開発されています。公式アプリは ownCloud の中心的な機能を提供し、製品として可能です。", + "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "公式アプリは Nextcloud コミュニティにより開発されています。公式アプリは Nextcloud の中心的な機能を提供し、製品として可能です。", "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "承認されたアプリは信頼された開発者により開発され、大まかなセキュリティチェックに合格しています。アプリは積極的にオープンソースコードレポジトリでメンテナンスされ、メンテナは通常の用途では安定していると考えます。", "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "このアプリはセキュリティチェックされていません、新規アプリか安定性が確認されていないアプリです。自己責任でインストールしてください。", "Disabling app …" : "アプリを無効にします …", @@ -55,8 +55,6 @@ "Enable" : "有効にする", "Enabling app …" : "アプリを有効 ...", "Error while enabling app" : "アプリを有効にする際にエラーが発生", - "Error: this app cannot be enabled because it makes the server unstable" : "エラー:このアプリは、サーバーを不安定にするため、有効にすることができません。", - "Error: could not disable broken app" : "エラー: 壊れたアプリを無効にできませんでした", "Error while disabling broken app" : "壊れたアプリの無効化中にエラーが発生", "Updating...." : "更新中....", "Error while updating app" : "アプリの更新中にエラーが発生", @@ -179,7 +177,7 @@ "Enable server-side encryption" : "サーバーサイド暗号化を有効にする", "Please read carefully before activating server-side encryption: " : "サーバーサイド暗号化を有効にする前によくお読みください:", "Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met." : "暗号化を一度有効化すると、この時点からサーバーにアップロードされるファイルの全てが暗号化されサーバー上に入ります。有効化された暗号モジュールは復号化機能をサポートしますが、すべての前提条件が満たされている(例えば、回復キーが設定されている)場合にのみ、後日暗号化を無効にすることが可能です。", - "Encryption alone does not guarantee security of the system. Please see documentation for more information about how the encryption app works, and the supported use cases." : "暗号化だけで、システムのセキュリティが保証されるものではありません。暗号化アプリがどのように動作するかの詳細について、およびサポートされているユースケースについてはownCloudのドキュメントを参照してください。", + "Encryption alone does not guarantee security of the system. Please see documentation for more information about how the encryption app works, and the supported use cases." : "暗号化だけで、システムのセキュリティが保証されるものではありません。暗号化アプリがどのように動作するかの詳細について、およびサポートされているユースケースについては Nextcloud のドキュメントを参照してください。", "Be aware that encryption always increases the file size." : "暗号化は、常にファイルサイズが増加することに注意してください。", "It is always good to create regular backups of your data, in case of encryption make sure to backup the encryption keys along with your data." : "暗号化した場合には必ず、あなたのデータと共に暗号化キーをバックアップすることを確認し、定期的にデータをバックアップを作成することをお勧めします。", "This is the final warning: Do you really want to enable encryption?" : "これが最後の警告です:本当に暗号化を有効にしますか?", @@ -258,7 +256,7 @@ "Change password" : "パスワードを変更", "Language" : "言語", "Help translate" : "翻訳に協力する", - "Web, desktop and mobile clients currently logged in to your account." : "現在、Web、デスクトップ、モバイルアプリで ownCloud にログインしている端末一覧です。", + "Web, desktop and mobile clients currently logged in to your account." : "現在、Web、デスクトップ、モバイルアプリであなたのアカウントにログインしている端末一覧です。", "Device" : "デバイス", "Last activity" : "最後の活動", "App name" : "アプリ名", diff --git a/settings/l10n/ko.js b/settings/l10n/ko.js index cada0f307bf..16825befbb6 100644 --- a/settings/l10n/ko.js +++ b/settings/l10n/ko.js @@ -96,8 +96,6 @@ OC.L10N.register( "Enable" : "사용함", "Enabling app …" : "앱 활성화 중 …", "Error while enabling app" : "앱을 활성화하는 중 오류 발생", - "Error: this app cannot be enabled because it makes the server unstable" : "오류: 이 앱은 서버를 불안정하게 만들 수 있어서 활성화할 수 없습니다", - "Error: could not disable broken app" : "오류: 망가진 앱을 비활성화할 수 없음", "Error while disabling broken app" : "망가진 앱을 비활성화 하는 중 오류 발생", "Updating...." : "업데이트 중....", "Error while updating app" : "앱을 업데이트하는 중 오류 발생", @@ -242,7 +240,6 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "ownCloud 8.0 이하에서 사용한 이전 암호화 키를 새 키로 이전해야 합니다.", "Start migration" : "이전 시작", "Security & setup warnings" : "보안 및 설치 경고", - "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." : "내 인스턴스가 올바르게 설정되어 있어야 시스템 보안과 성능을 보장할 수 있습니다. 설정 확인을 돕기 위해서 일부 항목을 자동으로 확인합니다. 더 많은 정보를 보려면 문서의 팁과 추가 정보 장을 참조하십시오.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "읽기 전용 설정이 활성화되었습니다. 이 상태에서는 웹 인터페이스를 통하여 일부 설정을 변경할 수 없습니다. 또한 매 업데이트마다 파일을 쓸 수 있는 상태로 변경해야 합니다.", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Zend OPcache, eAccelerator 같은 캐시/가속기 문제일 수도 있습니다.", "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "데이터베이스가 \"READ COMMITTED\" 트랜잭션 격리 수준에서 실행되고 있지 않습니다. 여러 작업이 동시에 실행될 때 문제가 발생할 수 있습니다.", @@ -412,6 +409,7 @@ OC.L10N.register( "Subscribe to our newsletter!" : "뉴스레터를 구독하세요!", "Show last log in" : "마지막 로그인 시간 보이기", "Verifying" : "확인 중", + "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." : "내 인스턴스가 올바르게 설정되어 있어야 시스템 보안과 성능을 보장할 수 있습니다. 설정 확인을 돕기 위해서 일부 항목을 자동으로 확인합니다. 더 많은 정보를 보려면 문서의 팁과 추가 정보 장을 참조하십시오.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP의 'fileinfo' 모듈이 없습니다. 올바른 MIME 형식 감지를 위해서 이 모듈을 활성화하는 것을 추천합니다.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "앱 암호를 생성하여 내 암호를 공개하지 않아도 됩니다. 이 암호는 개별적으로 폐기할 수도 있습니다.", "Follow us on Google+!" : "Google+에서 저희를 팔로하세요!", diff --git a/settings/l10n/ko.json b/settings/l10n/ko.json index 1f6c9732c0b..3cc5873b55c 100644 --- a/settings/l10n/ko.json +++ b/settings/l10n/ko.json @@ -94,8 +94,6 @@ "Enable" : "사용함", "Enabling app …" : "앱 활성화 중 …", "Error while enabling app" : "앱을 활성화하는 중 오류 발생", - "Error: this app cannot be enabled because it makes the server unstable" : "오류: 이 앱은 서버를 불안정하게 만들 수 있어서 활성화할 수 없습니다", - "Error: could not disable broken app" : "오류: 망가진 앱을 비활성화할 수 없음", "Error while disabling broken app" : "망가진 앱을 비활성화 하는 중 오류 발생", "Updating...." : "업데이트 중....", "Error while updating app" : "앱을 업데이트하는 중 오류 발생", @@ -240,7 +238,6 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "ownCloud 8.0 이하에서 사용한 이전 암호화 키를 새 키로 이전해야 합니다.", "Start migration" : "이전 시작", "Security & setup warnings" : "보안 및 설치 경고", - "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." : "내 인스턴스가 올바르게 설정되어 있어야 시스템 보안과 성능을 보장할 수 있습니다. 설정 확인을 돕기 위해서 일부 항목을 자동으로 확인합니다. 더 많은 정보를 보려면 문서의 팁과 추가 정보 장을 참조하십시오.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "읽기 전용 설정이 활성화되었습니다. 이 상태에서는 웹 인터페이스를 통하여 일부 설정을 변경할 수 없습니다. 또한 매 업데이트마다 파일을 쓸 수 있는 상태로 변경해야 합니다.", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Zend OPcache, eAccelerator 같은 캐시/가속기 문제일 수도 있습니다.", "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "데이터베이스가 \"READ COMMITTED\" 트랜잭션 격리 수준에서 실행되고 있지 않습니다. 여러 작업이 동시에 실행될 때 문제가 발생할 수 있습니다.", @@ -410,6 +407,7 @@ "Subscribe to our newsletter!" : "뉴스레터를 구독하세요!", "Show last log in" : "마지막 로그인 시간 보이기", "Verifying" : "확인 중", + "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." : "내 인스턴스가 올바르게 설정되어 있어야 시스템 보안과 성능을 보장할 수 있습니다. 설정 확인을 돕기 위해서 일부 항목을 자동으로 확인합니다. 더 많은 정보를 보려면 문서의 팁과 추가 정보 장을 참조하십시오.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP의 'fileinfo' 모듈이 없습니다. 올바른 MIME 형식 감지를 위해서 이 모듈을 활성화하는 것을 추천합니다.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "앱 암호를 생성하여 내 암호를 공개하지 않아도 됩니다. 이 암호는 개별적으로 폐기할 수도 있습니다.", "Follow us on Google+!" : "Google+에서 저희를 팔로하세요!", diff --git a/settings/l10n/nb.js b/settings/l10n/nb.js index c4d5864a271..7ceb5cd62f3 100644 --- a/settings/l10n/nb.js +++ b/settings/l10n/nb.js @@ -101,8 +101,8 @@ OC.L10N.register( "Enable" : "Aktiver", "Enabling app …" : "Aktiverer program…", "Error while enabling app" : "Aktivering av program mislyktes", - "Error: this app cannot be enabled because it makes the server unstable" : "Feil: Denne appen kan ikke aktiveres fordi den gjør tjeneren ustabil", - "Error: could not disable broken app" : "Feil: Kunne ikke deaktivere ustabil app", + "Error: This app can not be enabled because it makes the server unstable" : "Feil: Dette programmet kan ikke aktiveres fordi det gjør tjeneren ustabil", + "Error: Could not disable broken app" : "Feil: Kunne ikke deaktivere ustabilt program", "Error while disabling broken app" : "Feil ved deaktivering av ustabilt program", "Updating...." : "Oppdaterer…", "Error while updating app" : "Feil ved oppdatering av program", @@ -249,7 +249,6 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Du må migrere krypteringsnøklene din fra den gamle krypteringen (ownCloud <= 8.0) til den nye.", "Start migration" : "Start migrering", "Security & setup warnings" : "Advarsler om sikkerhet og oppsett", - "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." : "Det er viktig for sikkerheten og ytelsen på din installasjon at alt er satt opp rett. For å hjelpe deg er det satt i verk noen automatiske sjekker. Se \"Tips og triks\"-delen og i dokumentasjonen for mer informasjon", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP ser ikke ut til å være satt opp riktig for å lese systemets miljøvariabler. Testen med getenv(\"PATH\") returnerer bare et tomt svar.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Sjekk <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installasjonsdokumentasjonen ↗</a> etter PHP-oppsettsnotater og oppsett av PHP på tjeneren din, særlig om du bruker php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Det skrivebeskyttede oppsettet er blitt aktivert. Dette forhindrer setting av visse oppsett via vev-grensesnittet. Videre må config-filen gjøres skrivbar manuelt for hver oppdatering.", @@ -440,6 +439,7 @@ OC.L10N.register( "Subscribe to our newsletter!" : "Abonner på vårt nyhetsbrev!", "Show last log in" : "Vis siste innlogging", "Verifying" : "Bekrefter", + "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." : "Det er viktig for sikkerheten og ytelsen på din installasjon at alt er satt opp rett. For å hjelpe deg er det satt i verk noen automatiske sjekker. Se \"Tips og triks\"-delen og i dokumentasjonen for mer informasjon", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP-modulen 'fileinfo' mangler. Vi anbefaler at du aktiverer denne modulen for å kunne detektere MIME-typen korrekt.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Vev, skrivebord og mobil -klienter og programspesifikke passord som har tilgang til kontoen din nå.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Her kan du opprette egne passord for programmer slik at du ikke trenger å gi dem ditt passord. Du kan tilbakekalle dem individuelt også.", diff --git a/settings/l10n/nb.json b/settings/l10n/nb.json index ac598979e04..70dfe662aef 100644 --- a/settings/l10n/nb.json +++ b/settings/l10n/nb.json @@ -99,8 +99,8 @@ "Enable" : "Aktiver", "Enabling app …" : "Aktiverer program…", "Error while enabling app" : "Aktivering av program mislyktes", - "Error: this app cannot be enabled because it makes the server unstable" : "Feil: Denne appen kan ikke aktiveres fordi den gjør tjeneren ustabil", - "Error: could not disable broken app" : "Feil: Kunne ikke deaktivere ustabil app", + "Error: This app can not be enabled because it makes the server unstable" : "Feil: Dette programmet kan ikke aktiveres fordi det gjør tjeneren ustabil", + "Error: Could not disable broken app" : "Feil: Kunne ikke deaktivere ustabilt program", "Error while disabling broken app" : "Feil ved deaktivering av ustabilt program", "Updating...." : "Oppdaterer…", "Error while updating app" : "Feil ved oppdatering av program", @@ -247,7 +247,6 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Du må migrere krypteringsnøklene din fra den gamle krypteringen (ownCloud <= 8.0) til den nye.", "Start migration" : "Start migrering", "Security & setup warnings" : "Advarsler om sikkerhet og oppsett", - "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." : "Det er viktig for sikkerheten og ytelsen på din installasjon at alt er satt opp rett. For å hjelpe deg er det satt i verk noen automatiske sjekker. Se \"Tips og triks\"-delen og i dokumentasjonen for mer informasjon", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP ser ikke ut til å være satt opp riktig for å lese systemets miljøvariabler. Testen med getenv(\"PATH\") returnerer bare et tomt svar.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Sjekk <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installasjonsdokumentasjonen ↗</a> etter PHP-oppsettsnotater og oppsett av PHP på tjeneren din, særlig om du bruker php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Det skrivebeskyttede oppsettet er blitt aktivert. Dette forhindrer setting av visse oppsett via vev-grensesnittet. Videre må config-filen gjøres skrivbar manuelt for hver oppdatering.", @@ -438,6 +437,7 @@ "Subscribe to our newsletter!" : "Abonner på vårt nyhetsbrev!", "Show last log in" : "Vis siste innlogging", "Verifying" : "Bekrefter", + "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." : "Det er viktig for sikkerheten og ytelsen på din installasjon at alt er satt opp rett. For å hjelpe deg er det satt i verk noen automatiske sjekker. Se \"Tips og triks\"-delen og i dokumentasjonen for mer informasjon", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP-modulen 'fileinfo' mangler. Vi anbefaler at du aktiverer denne modulen for å kunne detektere MIME-typen korrekt.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Vev, skrivebord og mobil -klienter og programspesifikke passord som har tilgang til kontoen din nå.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Her kan du opprette egne passord for programmer slik at du ikke trenger å gi dem ditt passord. Du kan tilbakekalle dem individuelt også.", diff --git a/settings/l10n/nl.js b/settings/l10n/nl.js index 6de98cecba2..a08f5508beb 100644 --- a/settings/l10n/nl.js +++ b/settings/l10n/nl.js @@ -101,8 +101,8 @@ OC.L10N.register( "Enable" : "Activeer", "Enabling app …" : "Activeren app ...", "Error while enabling app" : "Fout tijdens het inschakelen van het programma", - "Error: this app cannot be enabled because it makes the server unstable" : "Fout: deze app kan niet ingeschakeld worden, omdat die de server onstabiel maakt", - "Error: could not disable broken app" : "Fout: kan de beschadigde app niet uitschakelen", + "Error: This app can not be enabled because it makes the server unstable" : "Fout: Deze app kan niet ingeschakeld worden, omdat die de server onstabiel maakt", + "Error: Could not disable broken app" : "Fout: Kan de beschadigde app niet uitschakelen", "Error while disabling broken app" : "Fout bij het uitschakelen van de beschadigde app", "Updating...." : "Bijwerken....", "Error while updating app" : "Fout bij het bijwerken van de app", @@ -249,12 +249,20 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Je moet je cryptosleutels van de oude versleuteling (ownCloud <= 8.0) migreren naar de nieuwe.", "Start migration" : "Start migratie", "Security & setup warnings" : "Beveiligings- en instellingswaarschuwingen", - "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." : "Voor beveiliging en prestaties van je server is het belangrijk dat alles goed is geconfigureerd. Om je hierbij te helpen doen we paar automatische controles. Bekijk de Tips & Trucs sectie en de ocumentatie voor meer informatie.", + "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP lijkt niet goed te zijn opgezet om systeemomgevingsvariabelen te bevragen. De test met getenv(\"PATH\") gaf een leeg resultaat.", + "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Controleer de <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installatiedocumentatie ↗</a> voor php configuratienotities en de php configuratie van je server, zeker bij gebruik van php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "De Alleen-lezen config is ingeschakeld. Dit voorkomt het via de webinterface wijzigen van verschillende instellingen. Bovendien moet het bestand voor elke aanpassing handmatig op beschrijfbaar worden ingesteld.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "PHP is blijkbaar zo ingesteld dat inline doc blokken worden gestript. Hierdoor worden verschillende kern apps niet berijkbaar.", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Dit wordt vermoedelijk veroorzaakt door een cache/accelerator, zoals Zend OPcache of eAccelerator.", "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Je database draait niet met \"READ COMMITTED\" transactie-isolatie niveau. Dit kan problemen opleveren als er meerdere acties tegelijkertijd worden uitgevoerd.", + "%1$s below version %2$s is installed, for stability and performance reasons it is recommended to update to a newer %1$s version." : "%1$s lager dan versie %2$s is geïnstalleerd, voor betere stabiliteit en prestaties adviseren wij om %1$s te vervangen door een nieuwere versie.", + "The PHP module 'fileinfo' is missing. It is strongly recommended to enable this module to get the best results with MIME type detection." : "De PHP module 'fileinfo' ontbreekt. We adviseren met klem om deze module te activeren om de beste resultaten te bereiken voor MIME-type detectie.", "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentation ↗</a> for more information." : "Transactionele bestandlocking is uitgeschakeld, dat zou namelijk kunnen leiden tot versiebeheerproblemen. Schakel 'filelocking enabled' in config.php in om deze problemen te voorkomen. Zie de <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentatie ↗</a> voor meer informatie.", "System locale can not be set to a one which supports UTF-8." : "De systeemtaal kan niet worden ingesteld op een taal die UTF-8 ondersteunt.", + "This means that there might be problems with certain characters in filenames." : "Dat betekent dat er problemen kunnen optreden met bepaalde tekens in bestandsnamen.", + "It is strongly proposed to install the required packages on your system to support one of the following locales: %s." : "We adviseren met klem om de noodzakelijke pakketten op je systeem te installeren om een van de volgende talen te ondersteunen: %s.", + "If your installation is not installed at the root of the domain and uses system Cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "Als je installatie niet in de hoofddirectory van het domein staat, maar wel systeem cron gebruikt, dan kunnen er problemen ontstaan bij het genereren van URL's. Om deze problemen te voorkomen zou je de \"overwrite.cli.url\" optie in config.php moeten instellen op het webroot pad van je installatie (aanbevolen: \"%s\")", + "It was not possible to execute the cron job via CLI. The following technical errors have appeared:" : "Het was niet mogelijk om de systeem cron via CLI uit te voeren. De volgende technische problemen traden op:", "Please double check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation guides ↗</a>, and check for any errors or warnings in the <a href=\"%s\">log</a>." : "Lees de <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installatie handleiding</a> goed door en controleer op fouten en waarschuwingen in de <a href=\"%s\">logging</a>.", "All checks passed." : "Alle checks geslaagd", "Background jobs" : "Achtergrond jobs", @@ -266,6 +274,7 @@ OC.L10N.register( "cron.php is registered at a webcron service to call cron.php every 15 minutes over HTTP." : "cron.php is geregistreerd bij een webcron service om elke 15 minuten cron.php over http aan te roepen.", "Use system cron service to call the cron.php file every 15 minutes." : "Gebruik de systeemcron service om cron.php elke 15 minuten aan te roepen.", "The cron.php needs to be executed by the system user \"%s\"." : "cron.php moet worden uitgevoerd door systeemgebruiker \"%s\".", + "To run this you need the PHP POSIX extension. See {linkstart}PHP documentation{linkend} for more details." : "PHP POSIX extensie is vereist om dit te draaien. Bekijk {linkstart}PHP documentatie{linkend} voor meer informatie.", "Version" : "Versie", "Sharing" : "Delen", "As admin you can fine-tune the sharing behavior. Please see the documentation for more information." : "Als beheerder kun je het deel-gedrag optimaliseren. Bekijk de documentatie voor meer informatie.", @@ -430,6 +439,7 @@ OC.L10N.register( "Subscribe to our newsletter!" : "Abonneer jezelf op onze nieuwsbrief!", "Show last log in" : "Toon laatste inlog", "Verifying" : "Verifiëren", + "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." : "Voor beveiliging en prestaties van je server is het belangrijk dat alles goed is geconfigureerd. Om je hierbij te helpen doen we paar automatische controles. Bekijk de Tips & Trucs sectie en de ocumentatie voor meer informatie.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "De PHP module 'fileinfo' ontbreekt. We adviseren met klem om deze module te activeren om de beste resultaten te bereiken voor MIME-type detectie.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Web, desktop, mobiele clients and app specifieke wachtwoorden die nu toegang hebben tot je account.", "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 kun je individuele wachtwoorden voor apps genereren, zodat je geen wachtwoorden hoeft uit te geven. Je kunt ze ook weer individueel intrekken.", diff --git a/settings/l10n/nl.json b/settings/l10n/nl.json index 7f555a18244..21d46b48c55 100644 --- a/settings/l10n/nl.json +++ b/settings/l10n/nl.json @@ -99,8 +99,8 @@ "Enable" : "Activeer", "Enabling app …" : "Activeren app ...", "Error while enabling app" : "Fout tijdens het inschakelen van het programma", - "Error: this app cannot be enabled because it makes the server unstable" : "Fout: deze app kan niet ingeschakeld worden, omdat die de server onstabiel maakt", - "Error: could not disable broken app" : "Fout: kan de beschadigde app niet uitschakelen", + "Error: This app can not be enabled because it makes the server unstable" : "Fout: Deze app kan niet ingeschakeld worden, omdat die de server onstabiel maakt", + "Error: Could not disable broken app" : "Fout: Kan de beschadigde app niet uitschakelen", "Error while disabling broken app" : "Fout bij het uitschakelen van de beschadigde app", "Updating...." : "Bijwerken....", "Error while updating app" : "Fout bij het bijwerken van de app", @@ -247,12 +247,20 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Je moet je cryptosleutels van de oude versleuteling (ownCloud <= 8.0) migreren naar de nieuwe.", "Start migration" : "Start migratie", "Security & setup warnings" : "Beveiligings- en instellingswaarschuwingen", - "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." : "Voor beveiliging en prestaties van je server is het belangrijk dat alles goed is geconfigureerd. Om je hierbij te helpen doen we paar automatische controles. Bekijk de Tips & Trucs sectie en de ocumentatie voor meer informatie.", + "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP lijkt niet goed te zijn opgezet om systeemomgevingsvariabelen te bevragen. De test met getenv(\"PATH\") gaf een leeg resultaat.", + "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Controleer de <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installatiedocumentatie ↗</a> voor php configuratienotities en de php configuratie van je server, zeker bij gebruik van php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "De Alleen-lezen config is ingeschakeld. Dit voorkomt het via de webinterface wijzigen van verschillende instellingen. Bovendien moet het bestand voor elke aanpassing handmatig op beschrijfbaar worden ingesteld.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "PHP is blijkbaar zo ingesteld dat inline doc blokken worden gestript. Hierdoor worden verschillende kern apps niet berijkbaar.", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Dit wordt vermoedelijk veroorzaakt door een cache/accelerator, zoals Zend OPcache of eAccelerator.", "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Je database draait niet met \"READ COMMITTED\" transactie-isolatie niveau. Dit kan problemen opleveren als er meerdere acties tegelijkertijd worden uitgevoerd.", + "%1$s below version %2$s is installed, for stability and performance reasons it is recommended to update to a newer %1$s version." : "%1$s lager dan versie %2$s is geïnstalleerd, voor betere stabiliteit en prestaties adviseren wij om %1$s te vervangen door een nieuwere versie.", + "The PHP module 'fileinfo' is missing. It is strongly recommended to enable this module to get the best results with MIME type detection." : "De PHP module 'fileinfo' ontbreekt. We adviseren met klem om deze module te activeren om de beste resultaten te bereiken voor MIME-type detectie.", "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentation ↗</a> for more information." : "Transactionele bestandlocking is uitgeschakeld, dat zou namelijk kunnen leiden tot versiebeheerproblemen. Schakel 'filelocking enabled' in config.php in om deze problemen te voorkomen. Zie de <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentatie ↗</a> voor meer informatie.", "System locale can not be set to a one which supports UTF-8." : "De systeemtaal kan niet worden ingesteld op een taal die UTF-8 ondersteunt.", + "This means that there might be problems with certain characters in filenames." : "Dat betekent dat er problemen kunnen optreden met bepaalde tekens in bestandsnamen.", + "It is strongly proposed to install the required packages on your system to support one of the following locales: %s." : "We adviseren met klem om de noodzakelijke pakketten op je systeem te installeren om een van de volgende talen te ondersteunen: %s.", + "If your installation is not installed at the root of the domain and uses system Cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "Als je installatie niet in de hoofddirectory van het domein staat, maar wel systeem cron gebruikt, dan kunnen er problemen ontstaan bij het genereren van URL's. Om deze problemen te voorkomen zou je de \"overwrite.cli.url\" optie in config.php moeten instellen op het webroot pad van je installatie (aanbevolen: \"%s\")", + "It was not possible to execute the cron job via CLI. The following technical errors have appeared:" : "Het was niet mogelijk om de systeem cron via CLI uit te voeren. De volgende technische problemen traden op:", "Please double check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation guides ↗</a>, and check for any errors or warnings in the <a href=\"%s\">log</a>." : "Lees de <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installatie handleiding</a> goed door en controleer op fouten en waarschuwingen in de <a href=\"%s\">logging</a>.", "All checks passed." : "Alle checks geslaagd", "Background jobs" : "Achtergrond jobs", @@ -264,6 +272,7 @@ "cron.php is registered at a webcron service to call cron.php every 15 minutes over HTTP." : "cron.php is geregistreerd bij een webcron service om elke 15 minuten cron.php over http aan te roepen.", "Use system cron service to call the cron.php file every 15 minutes." : "Gebruik de systeemcron service om cron.php elke 15 minuten aan te roepen.", "The cron.php needs to be executed by the system user \"%s\"." : "cron.php moet worden uitgevoerd door systeemgebruiker \"%s\".", + "To run this you need the PHP POSIX extension. See {linkstart}PHP documentation{linkend} for more details." : "PHP POSIX extensie is vereist om dit te draaien. Bekijk {linkstart}PHP documentatie{linkend} voor meer informatie.", "Version" : "Versie", "Sharing" : "Delen", "As admin you can fine-tune the sharing behavior. Please see the documentation for more information." : "Als beheerder kun je het deel-gedrag optimaliseren. Bekijk de documentatie voor meer informatie.", @@ -428,6 +437,7 @@ "Subscribe to our newsletter!" : "Abonneer jezelf op onze nieuwsbrief!", "Show last log in" : "Toon laatste inlog", "Verifying" : "Verifiëren", + "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." : "Voor beveiliging en prestaties van je server is het belangrijk dat alles goed is geconfigureerd. Om je hierbij te helpen doen we paar automatische controles. Bekijk de Tips & Trucs sectie en de ocumentatie voor meer informatie.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "De PHP module 'fileinfo' ontbreekt. We adviseren met klem om deze module te activeren om de beste resultaten te bereiken voor MIME-type detectie.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Web, desktop, mobiele clients and app specifieke wachtwoorden die nu toegang hebben tot je account.", "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 kun je individuele wachtwoorden voor apps genereren, zodat je geen wachtwoorden hoeft uit te geven. Je kunt ze ook weer individueel intrekken.", diff --git a/settings/l10n/pl.js b/settings/l10n/pl.js index d06af55b090..413752641c4 100644 --- a/settings/l10n/pl.js +++ b/settings/l10n/pl.js @@ -101,8 +101,6 @@ OC.L10N.register( "Enable" : "Włącz", "Enabling app …" : "Włączam aplikację...", "Error while enabling app" : "Błąd podczas włączania aplikacji", - "Error: this app cannot be enabled because it makes the server unstable" : "Błąd: ta aplikacja nie może być włączona, ponieważ sprawia, że serwer jest niestabilny", - "Error: could not disable broken app" : "Błąd: nie można wyłączyć zepsutą aplikację", "Error while disabling broken app" : "Błąd podczas wyłączania zepsutej aplikacji", "Updating...." : "Aktualizacja w toku...", "Error while updating app" : "Błąd podczas aktualizacji aplikacji", @@ -249,7 +247,6 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Musisz zmigrować swoje klucze szyfrujące ze starego szyfrowania (ownCloud <= 8.0) do nowego.", "Start migration" : "Rozpocznij migrację", "Security & setup warnings" : "Ostrzeżenia bezpieczeństwa i konfiguracji", - "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." : "Poprawna konfiguracja jest ważna dla bezpieczeństwa i wydajności Twojej instancji. W celach pomocniczych przeprowadzane są automatyczne kontrole. Więcej informacji można znaleźć w dziale Wskazówki i Porady oraz w dokumentacji.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Została włączona konfiguracja Read-Only. Zapobiegnie to ustawieniu niektórych konfiguracji poprzez interfejs web. Ponadto plikowi muszą zostać nadane prawa zapisu ręcznie dla każdej aktualizacji.", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Dzieje się tak prawdopodobnie przez cache lub akcelerator taki jak Zend OPcache lub eAccelerator.", "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Twoja baza danych nie działa z poziomem izolacji transakcji \"READ COMMITTED\". Może to powodować problemy kiedy wiele akcji będzie wykonywanych równolegle.", @@ -424,6 +421,7 @@ OC.L10N.register( "Subscribe to our newsletter!" : "Zapisz się do naszego newslettera!", "Show last log in" : "Pokaż ostatni login", "Verifying" : "Sprawdzanie", + "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." : "Poprawna konfiguracja jest ważna dla bezpieczeństwa i wydajności Twojej instancji. W celach pomocniczych przeprowadzane są automatyczne kontrole. Więcej informacji można znaleźć w dziale Wskazówki i Porady oraz w dokumentacji.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Brakuje modułu PHP 'fileinfo'. Silnie zalecamy włączenie tego modułu, aby osiągać lepsze wyniki w wykrywaniu typów plików MIME.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Web, klient desktop, klienci mobilni specjalne hasła aplikacja, które aktualnie mają dostęp do twojego konta.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Tutaj możesz wygenerować lub unieważnić hasła dla poszczególnych aplikacji tak, aby nie było potrzeby podawania Twojego hasła. ", diff --git a/settings/l10n/pl.json b/settings/l10n/pl.json index e29d0776a67..9fd0ed54197 100644 --- a/settings/l10n/pl.json +++ b/settings/l10n/pl.json @@ -99,8 +99,6 @@ "Enable" : "Włącz", "Enabling app …" : "Włączam aplikację...", "Error while enabling app" : "Błąd podczas włączania aplikacji", - "Error: this app cannot be enabled because it makes the server unstable" : "Błąd: ta aplikacja nie może być włączona, ponieważ sprawia, że serwer jest niestabilny", - "Error: could not disable broken app" : "Błąd: nie można wyłączyć zepsutą aplikację", "Error while disabling broken app" : "Błąd podczas wyłączania zepsutej aplikacji", "Updating...." : "Aktualizacja w toku...", "Error while updating app" : "Błąd podczas aktualizacji aplikacji", @@ -247,7 +245,6 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Musisz zmigrować swoje klucze szyfrujące ze starego szyfrowania (ownCloud <= 8.0) do nowego.", "Start migration" : "Rozpocznij migrację", "Security & setup warnings" : "Ostrzeżenia bezpieczeństwa i konfiguracji", - "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." : "Poprawna konfiguracja jest ważna dla bezpieczeństwa i wydajności Twojej instancji. W celach pomocniczych przeprowadzane są automatyczne kontrole. Więcej informacji można znaleźć w dziale Wskazówki i Porady oraz w dokumentacji.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Została włączona konfiguracja Read-Only. Zapobiegnie to ustawieniu niektórych konfiguracji poprzez interfejs web. Ponadto plikowi muszą zostać nadane prawa zapisu ręcznie dla każdej aktualizacji.", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Dzieje się tak prawdopodobnie przez cache lub akcelerator taki jak Zend OPcache lub eAccelerator.", "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Twoja baza danych nie działa z poziomem izolacji transakcji \"READ COMMITTED\". Może to powodować problemy kiedy wiele akcji będzie wykonywanych równolegle.", @@ -422,6 +419,7 @@ "Subscribe to our newsletter!" : "Zapisz się do naszego newslettera!", "Show last log in" : "Pokaż ostatni login", "Verifying" : "Sprawdzanie", + "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." : "Poprawna konfiguracja jest ważna dla bezpieczeństwa i wydajności Twojej instancji. W celach pomocniczych przeprowadzane są automatyczne kontrole. Więcej informacji można znaleźć w dziale Wskazówki i Porady oraz w dokumentacji.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Brakuje modułu PHP 'fileinfo'. Silnie zalecamy włączenie tego modułu, aby osiągać lepsze wyniki w wykrywaniu typów plików MIME.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Web, klient desktop, klienci mobilni specjalne hasła aplikacja, które aktualnie mają dostęp do twojego konta.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Tutaj możesz wygenerować lub unieważnić hasła dla poszczególnych aplikacji tak, aby nie było potrzeby podawania Twojego hasła. ", diff --git a/settings/l10n/pt_BR.js b/settings/l10n/pt_BR.js index 7d8164f07fc..fe247c2402a 100644 --- a/settings/l10n/pt_BR.js +++ b/settings/l10n/pt_BR.js @@ -101,8 +101,8 @@ OC.L10N.register( "Enable" : "Habilitar", "Enabling app …" : "Ativando aplicativo...", "Error while enabling app" : "Erro ao habilitar o aplicativo", - "Error: this app cannot be enabled because it makes the server unstable" : "Erro: este aplicativo não pode ser habilitado porque faz o servidor instável", - "Error: could not disable broken app" : "Erro: Não foi possível desativar o aplicativo corrompido", + "Error: This app can not be enabled because it makes the server unstable" : "Erro: Este aplicativo não pode ser ativado porque torna o servidor instável", + "Error: Could not disable broken app" : "Erro: Não foi possível desativar o aplicativo defeituoso", "Error while disabling broken app" : "Erro ao desativar aplicativo corrompido", "Updating...." : "Atualizando...", "Error while updating app" : "Erro ao atualizar aplicativo", @@ -249,7 +249,7 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Você precisa migrar suas chaves de criptografia a partir da antiga criptografia (ownCloud <= 8,0) para a nova.", "Start migration" : "Iniciar migração", "Security & setup warnings" : "Segurança & avisos de configuração", - "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." : "É importante para a segurança e o desempenho de sua instância que tudo esteja configurado corretamente. Para ajudá-lo com isso, estamos fazendo algumas verificações automáticas. Consulte a seção Dicas e a documentação para obter mais informações.", + "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 & Tricks section and the documentation for more information." : "É importante para a segurança e desempenho de sua instância que tudo esteja configurado corretamente. Para ajudar você com isso que estamos fazendo algumas verificações automáticas. Por favor, consulte a seção Dicas & Truques e a documentação para obter mais informações.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "O PHP não parece ser configurado corretamente para consultar variáveis de ambiente do sistema. O teste com getenv(\"PATH\") apenas retorna uma resposta vazia.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Verifique a <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentação de instalação ↗</a> para os detalhes de configuração do PHP e a configuração do PHP do seu servidor, especialmente ao usar o php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "A configuração Somente-Leitura foi habilitada. Isso impede que algumas configurações sejam definidas via interface web. Além disso, o arquivo precisa ser definido manualmente com permissão de escrita para cada atualização.", @@ -396,7 +396,7 @@ OC.L10N.register( "Uninstalling ...." : "Desinstalando...", "Error while uninstalling app" : "Erro enquanto desinstalava aplicativo", "Uninstall" : "Desinstalar", - "__language_name__" : "__language_name__", + "__language_name__" : "Português Brasileiro", "Personal info" : "Informação pessoal", "Sessions" : "Sessões", "App passwords" : "Senhas de aplicativos", @@ -440,6 +440,7 @@ OC.L10N.register( "Subscribe to our newsletter!" : "Inscreva-se para receber nosso boletim informativo!", "Show last log in" : "Mostrar o último acesso", "Verifying" : "Verificando", + "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." : "É importante para a segurança e o desempenho de sua instância que tudo esteja configurado corretamente. Para ajudá-lo com isso, estamos fazendo algumas verificações automáticas. Consulte a seção Dicas e a documentação para obter mais informações.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "O módulo PHP 'fileinfo' está faltando. Recomendamos fortemente habilitá-lo para obter um melhor resultado com a detecção de tipo MIME.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Clientes web, desktop, celulares e senhas específicas de aplicativos que atualmente têm acesso à sua conta.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Aqui você pode gerar senhas individuais para aplicativos e assim você não precisa dar sua senha. Você pode revogá-los individualmente também.", diff --git a/settings/l10n/pt_BR.json b/settings/l10n/pt_BR.json index 4a22bb4b22e..0ae482a1f99 100644 --- a/settings/l10n/pt_BR.json +++ b/settings/l10n/pt_BR.json @@ -99,8 +99,8 @@ "Enable" : "Habilitar", "Enabling app …" : "Ativando aplicativo...", "Error while enabling app" : "Erro ao habilitar o aplicativo", - "Error: this app cannot be enabled because it makes the server unstable" : "Erro: este aplicativo não pode ser habilitado porque faz o servidor instável", - "Error: could not disable broken app" : "Erro: Não foi possível desativar o aplicativo corrompido", + "Error: This app can not be enabled because it makes the server unstable" : "Erro: Este aplicativo não pode ser ativado porque torna o servidor instável", + "Error: Could not disable broken app" : "Erro: Não foi possível desativar o aplicativo defeituoso", "Error while disabling broken app" : "Erro ao desativar aplicativo corrompido", "Updating...." : "Atualizando...", "Error while updating app" : "Erro ao atualizar aplicativo", @@ -247,7 +247,7 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Você precisa migrar suas chaves de criptografia a partir da antiga criptografia (ownCloud <= 8,0) para a nova.", "Start migration" : "Iniciar migração", "Security & setup warnings" : "Segurança & avisos de configuração", - "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." : "É importante para a segurança e o desempenho de sua instância que tudo esteja configurado corretamente. Para ajudá-lo com isso, estamos fazendo algumas verificações automáticas. Consulte a seção Dicas e a documentação para obter mais informações.", + "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 & Tricks section and the documentation for more information." : "É importante para a segurança e desempenho de sua instância que tudo esteja configurado corretamente. Para ajudar você com isso que estamos fazendo algumas verificações automáticas. Por favor, consulte a seção Dicas & Truques e a documentação para obter mais informações.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "O PHP não parece ser configurado corretamente para consultar variáveis de ambiente do sistema. O teste com getenv(\"PATH\") apenas retorna uma resposta vazia.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Verifique a <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentação de instalação ↗</a> para os detalhes de configuração do PHP e a configuração do PHP do seu servidor, especialmente ao usar o php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "A configuração Somente-Leitura foi habilitada. Isso impede que algumas configurações sejam definidas via interface web. Além disso, o arquivo precisa ser definido manualmente com permissão de escrita para cada atualização.", @@ -394,7 +394,7 @@ "Uninstalling ...." : "Desinstalando...", "Error while uninstalling app" : "Erro enquanto desinstalava aplicativo", "Uninstall" : "Desinstalar", - "__language_name__" : "__language_name__", + "__language_name__" : "Português Brasileiro", "Personal info" : "Informação pessoal", "Sessions" : "Sessões", "App passwords" : "Senhas de aplicativos", @@ -438,6 +438,7 @@ "Subscribe to our newsletter!" : "Inscreva-se para receber nosso boletim informativo!", "Show last log in" : "Mostrar o último acesso", "Verifying" : "Verificando", + "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." : "É importante para a segurança e o desempenho de sua instância que tudo esteja configurado corretamente. Para ajudá-lo com isso, estamos fazendo algumas verificações automáticas. Consulte a seção Dicas e a documentação para obter mais informações.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "O módulo PHP 'fileinfo' está faltando. Recomendamos fortemente habilitá-lo para obter um melhor resultado com a detecção de tipo MIME.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Clientes web, desktop, celulares e senhas específicas de aplicativos que atualmente têm acesso à sua conta.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Aqui você pode gerar senhas individuais para aplicativos e assim você não precisa dar sua senha. Você pode revogá-los individualmente também.", diff --git a/settings/l10n/pt_PT.js b/settings/l10n/pt_PT.js index 8f6b1074af8..d013d7e9d38 100644 --- a/settings/l10n/pt_PT.js +++ b/settings/l10n/pt_PT.js @@ -46,8 +46,6 @@ OC.L10N.register( "Disable" : "Desativar", "Enable" : "Ativar", "Error while enabling app" : "Ocorreu um erro enquanto ativava a app", - "Error: this app cannot be enabled because it makes the server unstable" : "Erro: esta app não pode ser activada porque torna o servidor instável", - "Error: could not disable broken app" : "Erro: não foi possível desactivar app estragada", "Error while disabling broken app" : "Erro ao desactivar app estragada", "Updating...." : "A atualizar...", "Error while updating app" : "Ocorreu um erro enquanto atualizava a app", diff --git a/settings/l10n/pt_PT.json b/settings/l10n/pt_PT.json index 503a837c394..f4ed7a49f9b 100644 --- a/settings/l10n/pt_PT.json +++ b/settings/l10n/pt_PT.json @@ -44,8 +44,6 @@ "Disable" : "Desativar", "Enable" : "Ativar", "Error while enabling app" : "Ocorreu um erro enquanto ativava a app", - "Error: this app cannot be enabled because it makes the server unstable" : "Erro: esta app não pode ser activada porque torna o servidor instável", - "Error: could not disable broken app" : "Erro: não foi possível desactivar app estragada", "Error while disabling broken app" : "Erro ao desactivar app estragada", "Updating...." : "A atualizar...", "Error while updating app" : "Ocorreu um erro enquanto atualizava a app", diff --git a/settings/l10n/ru.js b/settings/l10n/ru.js index 68280a66614..eca6aaa582e 100644 --- a/settings/l10n/ru.js +++ b/settings/l10n/ru.js @@ -101,8 +101,8 @@ OC.L10N.register( "Enable" : "Включить", "Enabling app …" : "Включение приложения", "Error while enabling app" : "Ошибка при включении приложения", - "Error: this app cannot be enabled because it makes the server unstable" : "Ошибка: это приложение не может быть включено, так как оно делает сервер нестабильным", - "Error: could not disable broken app" : "Ошибка: невозможно отключить сломанное приложение", + "Error: This app can not be enabled because it makes the server unstable" : "Ошибка: это приложение не может быть включено, так как оно сделает сервер нестабильным", + "Error: Could not disable broken app" : "Ошибка: невозможно отключить «сломанное» приложение", "Error while disabling broken app" : "Ошибка при отключении сломанного приложения", "Updating...." : "Обновление...", "Error while updating app" : "Ошибка при обновлении приложения", @@ -249,7 +249,6 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Вам необходимо произвести конвертацию ключей шифрования из старого формата (ownCloud <= 8.0) в новый.", "Start migration" : "Запустить миграцию", "Security & setup warnings" : "Предупреждения безопасности и установки", - "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." : "Для обеспечения безопасности и производительности важно, чтобы всё было настроено правильно. Чтобы помочь вам в этом, мы проводим некоторые автоматические проверки. Дополнительную информацию см. В разделе «Советы и рекомендации» и в документации.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP не настроен правильно для получения переменных системного окружения. Запрос getenv(\"PATH\") возвращает пустые результаты.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Обратитесь к <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">документации по установке ↗</a> для получения информации по настройке PHP на вашем сервере, особенно это касается php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Конфигурационный файл в режиме только для чтения. В связи с этим некоторые настройки веб-интерфейса невозможно изменить. Учтите, что для установки обновлений, вам потребуется самостоятельно разрешить запись в конфигурационный файл.", @@ -440,6 +439,7 @@ OC.L10N.register( "Subscribe to our newsletter!" : "Подписывайтесь на нашу новостную рассылку!", "Show last log in" : "Показывать последний вход в систему", "Verifying" : "Производится проверка", + "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." : "Для обеспечения безопасности и производительности важно, чтобы всё было настроено правильно. Чтобы помочь вам в этом, мы проводим некоторые автоматические проверки. Дополнительную информацию см. В разделе «Советы и рекомендации» и в документации.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP-модуль «fileinfo» отсутствует. Мы настоятельно рекомендуем включить этот модуль для улучшения определения типов (mime-type) файлов.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Веб, настольные и мобильные клиенты, а также индивидуальные пароли приложений, которые имеют доступ к вашему аккаунту.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Тут можно для каждого из приложений создать индивидуальные пароли, поэтому не требуется передавать ваш пароль. Такие пароли могут также отзываться по отдельности.", diff --git a/settings/l10n/ru.json b/settings/l10n/ru.json index 9e2c1113dd5..8c2d6e1101a 100644 --- a/settings/l10n/ru.json +++ b/settings/l10n/ru.json @@ -99,8 +99,8 @@ "Enable" : "Включить", "Enabling app …" : "Включение приложения", "Error while enabling app" : "Ошибка при включении приложения", - "Error: this app cannot be enabled because it makes the server unstable" : "Ошибка: это приложение не может быть включено, так как оно делает сервер нестабильным", - "Error: could not disable broken app" : "Ошибка: невозможно отключить сломанное приложение", + "Error: This app can not be enabled because it makes the server unstable" : "Ошибка: это приложение не может быть включено, так как оно сделает сервер нестабильным", + "Error: Could not disable broken app" : "Ошибка: невозможно отключить «сломанное» приложение", "Error while disabling broken app" : "Ошибка при отключении сломанного приложения", "Updating...." : "Обновление...", "Error while updating app" : "Ошибка при обновлении приложения", @@ -247,7 +247,6 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Вам необходимо произвести конвертацию ключей шифрования из старого формата (ownCloud <= 8.0) в новый.", "Start migration" : "Запустить миграцию", "Security & setup warnings" : "Предупреждения безопасности и установки", - "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." : "Для обеспечения безопасности и производительности важно, чтобы всё было настроено правильно. Чтобы помочь вам в этом, мы проводим некоторые автоматические проверки. Дополнительную информацию см. В разделе «Советы и рекомендации» и в документации.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP не настроен правильно для получения переменных системного окружения. Запрос getenv(\"PATH\") возвращает пустые результаты.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Обратитесь к <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">документации по установке ↗</a> для получения информации по настройке PHP на вашем сервере, особенно это касается php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Конфигурационный файл в режиме только для чтения. В связи с этим некоторые настройки веб-интерфейса невозможно изменить. Учтите, что для установки обновлений, вам потребуется самостоятельно разрешить запись в конфигурационный файл.", @@ -438,6 +437,7 @@ "Subscribe to our newsletter!" : "Подписывайтесь на нашу новостную рассылку!", "Show last log in" : "Показывать последний вход в систему", "Verifying" : "Производится проверка", + "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." : "Для обеспечения безопасности и производительности важно, чтобы всё было настроено правильно. Чтобы помочь вам в этом, мы проводим некоторые автоматические проверки. Дополнительную информацию см. В разделе «Советы и рекомендации» и в документации.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP-модуль «fileinfo» отсутствует. Мы настоятельно рекомендуем включить этот модуль для улучшения определения типов (mime-type) файлов.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Веб, настольные и мобильные клиенты, а также индивидуальные пароли приложений, которые имеют доступ к вашему аккаунту.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Тут можно для каждого из приложений создать индивидуальные пароли, поэтому не требуется передавать ваш пароль. Такие пароли могут также отзываться по отдельности.", diff --git a/settings/l10n/sk.js b/settings/l10n/sk.js index 321e6778db4..e89dd0c2a17 100644 --- a/settings/l10n/sk.js +++ b/settings/l10n/sk.js @@ -56,8 +56,6 @@ OC.L10N.register( "Enable" : "Zapnúť", "Enabling app …" : "Povoľujem aplikáciu …", "Error while enabling app" : "Chyba pri povoľovaní aplikácie", - "Error: this app cannot be enabled because it makes the server unstable" : "Chyba: aplikáciu nie je možné povoliť, lebo naruší stabilitu servera", - "Error: could not disable broken app" : "Chyba: nebolo možné zakázať poškodenú aplikáciu", "Error while disabling broken app" : "Nastala chyba počas zakazovania poškodenej aplikácie", "Updating...." : "Aktualizujem...", "Error while updating app" : "chyba pri aktualizácii aplikácie", diff --git a/settings/l10n/sk.json b/settings/l10n/sk.json index 0fcd6da5bbb..a801416bc09 100644 --- a/settings/l10n/sk.json +++ b/settings/l10n/sk.json @@ -54,8 +54,6 @@ "Enable" : "Zapnúť", "Enabling app …" : "Povoľujem aplikáciu …", "Error while enabling app" : "Chyba pri povoľovaní aplikácie", - "Error: this app cannot be enabled because it makes the server unstable" : "Chyba: aplikáciu nie je možné povoliť, lebo naruší stabilitu servera", - "Error: could not disable broken app" : "Chyba: nebolo možné zakázať poškodenú aplikáciu", "Error while disabling broken app" : "Nastala chyba počas zakazovania poškodenej aplikácie", "Updating...." : "Aktualizujem...", "Error while updating app" : "chyba pri aktualizácii aplikácie", diff --git a/settings/l10n/sl.js b/settings/l10n/sl.js index 810b20055d2..3cde9260fd5 100644 --- a/settings/l10n/sl.js +++ b/settings/l10n/sl.js @@ -46,8 +46,6 @@ OC.L10N.register( "Disable" : "Onemogoči", "Enable" : "Omogoči", "Error while enabling app" : "Napaka omogočanja programa", - "Error: this app cannot be enabled because it makes the server unstable" : "Napaka: ta aplikacija ne more biti aktivna, ker povzroča nestabilnost strežnika", - "Error: could not disable broken app" : "Napaka: ni mogoče onemogočiti okvarjenega programa", "Error while disabling broken app" : "Napaka onemogočanja okvarjenega programa", "Updating...." : "Poteka posodabljanje ...", "Error while updating app" : "Prišlo je do napake med posodabljanjem programa.", diff --git a/settings/l10n/sl.json b/settings/l10n/sl.json index fc0d68ad303..83e4701ebff 100644 --- a/settings/l10n/sl.json +++ b/settings/l10n/sl.json @@ -44,8 +44,6 @@ "Disable" : "Onemogoči", "Enable" : "Omogoči", "Error while enabling app" : "Napaka omogočanja programa", - "Error: this app cannot be enabled because it makes the server unstable" : "Napaka: ta aplikacija ne more biti aktivna, ker povzroča nestabilnost strežnika", - "Error: could not disable broken app" : "Napaka: ni mogoče onemogočiti okvarjenega programa", "Error while disabling broken app" : "Napaka onemogočanja okvarjenega programa", "Updating...." : "Poteka posodabljanje ...", "Error while updating app" : "Prišlo je do napake med posodabljanjem programa.", diff --git a/settings/l10n/sq.js b/settings/l10n/sq.js index f81d88c630e..057d174ab55 100644 --- a/settings/l10n/sq.js +++ b/settings/l10n/sq.js @@ -4,10 +4,12 @@ OC.L10N.register( "{actor} changed your password" : "{actor} ndryshoi fjalëkalimin tuaj ", "You changed your password" : "Ju ndëruat fjalëkalimin", "Your password was reset by an administrator" : "Fjalëkalimi juaj është rivendosur nga administratori", - "{actor} changed your email address" : "{actor} ndëroi emailin tuaj ", + "{actor} changed your email address" : "{aktori} ndërroi emailin tuaj ", "You changed your email address" : "Ju ndryshuat adresën e emailit tuaj", "Your email address was changed by an administrator" : "Adresa juaj e email-it është ndryshuar nga një administrator", "Security" : "Siguria", + "You successfully logged in using two-factor authentication (%1$s)" : "Ju keni hyrë me sukses duke përdorur autentifikimin me dy faktorë ( %1$s )", + "A login attempt using two-factor authentication failed (%1$s)" : "Një përpjekje e identifikimit me anë të autentifikimit me dy faktorë dështoi ( %1$s )", "Your <strong>password</strong> or <strong>email</strong> was modified" : "<strong>fjalëkalimi</strong> ose <strong>emaili</strong> juaj është modifikuar", "Your apps" : "Aplikacionet tuaja ", "Enabled apps" : "Lejo aplikacionet", @@ -20,6 +22,7 @@ OC.L10N.register( "Authentication error" : "Gabim mirëfilltësimi", "Please provide an admin recovery password; otherwise, all user data will be lost." : "Ju lutemi siguro një fjalëkalim të rikuperueshëm admini; përndryshe, të gjithë të dhënat e përdoruesit do të humbasin ", "Wrong admin recovery password. Please check the password and try again." : "Fjalëkalim i gabuar rikthimesh për përgjegjësin. Ju lutemi, kontrolloni fjalëkalimin dhe provoni përsëri.", + "Backend doesn't support password change, but the user's encryption key was updated." : "Programi klient s’mbulon ndryshime fjalëkalimi, por kyçi i përdoruesi për fshehtëzime u përditësua me sukses.", "installing and updating apps via the app store or Federated Cloud Sharing" : "instalim dhe përditësim aplikacionesh përmes shitores së aplikacioneve ose Federated Cloud Sharing", "Federated Cloud Sharing" : "Ndarje Në Re të Federuar ", "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL-ja po përdor një version %s të vjetruar (%s). Ju lutemi, përditësoni sistemin tuaj operativ ose përndryshe veçori të tilla si %s nuk do të punojnë në mënyrë të qëndrueshme.", @@ -28,7 +31,11 @@ OC.L10N.register( "Group already exists." : "Grupi ekziston tashmë.", "Unable to add group." : "S’arrin të shtojë grup.", "Unable to delete group." : "S’arrin të fshijë grup.", + "Invalid SMTP password." : "Fjalëkalim SMTP i pavlefshëm", "Well done, %s!" : "U krye, %s!", + "If you received this email, the email configuration seems to be correct." : "Nëse keni marrë këtë email, konfigurimi i email-it duket të jetë i saktë.", + "Email setting test" : "Test i konfigurimeve të Email-it", + "Email could not be sent. Check your mail server log" : "Email nuk mund të dërgohej. Kontrolloni logun e serverit tuaj të postës", "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Ndodhi një gabim gjatë dërgimit të email-it. Ju lutemi, rishikoni rregullimet tuaja. (Error: %s)", "You need to set your user email before being able to send test emails." : "Lypset të caktoni email-in tuaj si përdorues, përpara se të jeni në gjendje të dërgoni email-e provë.", "Invalid mail address" : "Adresë email e pavlefshme", @@ -38,14 +45,16 @@ OC.L10N.register( "Unable to create user." : "S’u arrit krijimi i përdoruesit.", "Unable to delete user." : "S’arrin të fshijë përdorues.", "Error while enabling user." : "Gabim ndërsa", - "Error while disabling user." : "Gabim ndërsa çaktivizo përdoruesin.", + "Error while disabling user." : "Gabim gjatë çaktivizimit të përdoruesit.", + "In order to verify your Twitter account, post the following tweet on Twitter (please make sure to post it without any line breaks):" : "Në mënyrë që të verifikoni llogarinë tuaj në Twitter, postojeni tweet-in e mëposhtme në Twitter (ju lutemi sigurohuni që ta postoni atë pa asnjë ndërprerje rrjeshti):", + "In order to verify your Website, store the following content in your web-root at '.well-known/CloudIdVerificationCode.txt' (please make sure that the complete text is in one line):" : "Në mënyrë që të verifikoni faqen tuaj të internetit, ruani përmbajtjen e mëposhtme në rrënjën tuaj të internetit në '.well-known / CloudIdVerificationCode.txt' (ju lutemi sigurohuni që teksti i plotë të jetë në një vijë):", "Settings saved" : "Konfigurimet u ruajtën", "Unable to change full name" : "S’arrin të ndryshojë emrin e plotë", "Unable to change email address" : "Nuk mund të ndryshohet adresa e email-it", "Your full name has been changed." : "Emri juaj i plotë u ndryshua.", "Forbidden" : "E ndaluar", "Invalid user" : "Përdorues i pavlefshëm", - "Unable to change mail address" : "S’arrin të ndryshojë adresë email", + "Unable to change mail address" : "E pamundur të ndryshojë adresën e email-it", "Email saved" : "Email-i u ruajt", "%1$s changed your password on %2$s." : "%1$s ju ka ndryshuar fjalëkalmin në %2$s.", "Your password on %s was changed." : "Fjalëkalimi juaj në %s u ndryshua. ", @@ -59,10 +68,13 @@ OC.L10N.register( "Email address changed for %s" : "Adresa e email-it ndryshojë për %s", "The new email address is %s" : "Adresa e re e email-it është %s", "Email address for %1$s changed on %2$s" : "Adresa e email-it për %1$s ndryshojë në %2$s", + "Welcome aboard" : "Mirë se vini në bord", + "Welcome aboard %s" : "Mirë se vini në bord %s", "You have now an %s account, you can add, protect, and share your data." : "Ju keni tani një %s llogari, ju mund të shtoni, mbroni dhe shpërndanin të dhënat tuaja.", "Your username is: %s" : "Emri juaj i përdoruesit është: %s", "Set your password" : "Vendos fjalëkalimin tënd", "Go to %s" : "Shko tek %s", + "Install Client" : "Instalo Klient", "Your %s account was created" : "Llogaria juaj %s u krijua", "Password confirmation is required" : "Kërkohet konfirmimi i fjalëkalimit", "Couldn't remove app." : "S’hoqi dot aplikacionin.", @@ -83,17 +95,19 @@ OC.L10N.register( "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "Aplikacionet zyrtare zhvillohen nga komuniteti dhe brenta tij. Ato ofrojnë funksionalitet qëndror dhe janë gati për përdorim.", "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "Aplikacionet e miratuara ndërtohen nga zhvillues të besuar dhe kanë kaluar një kontroll të përciptë sigurie. Mirëmbahen aktivisht në një depo të hapur kodi dhe mirëmbajtësit e tyre i konsiderojnë të qëndrueshme për përdorime nga të rastit deri në ato normale.", "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "Ky aplikacion s’është kontrolluar për probleme sigurie dhe është i ri ose i njohur si i paqëndrueshëm. Instalojeni duke e mbajtur vetë përgjegjësinë.", + "Disabling app …" : "Çaktivizo aplikacionin ...", "Error while disabling app" : "Gabim në çaktivizimin e aplikacionit", "Disable" : "Çaktivizoje", "Enable" : "Aktivizoje", "Enabling app …" : "Duke aktivizuar aplikacionin ...", "Error while enabling app" : "Gabim në aktivizimin e aplikacionit", - "Error: this app cannot be enabled because it makes the server unstable" : "Gabim: ky aplikacion s’u aktivizua dot, ngaqë e bën shërbyesin të paqëndrueshëm.", - "Error: could not disable broken app" : "Gabim: s’u çaktivizua dot aplikacion i dëmtuar", + "Error: This app can not be enabled because it makes the server unstable" : "Gabim: Ky aplikacion s’u aktivizua dot, ngaqë e bën shërbyesin të paqëndrueshëm.", + "Error: Could not disable broken app" : "Gabim: S’u çaktivizua dot aplikacioni i dëmtuar", "Error while disabling broken app" : "Gabim teka çaktivizohej aplikacion i dëmtuar", "Updating...." : "Po përditësohet…", "Error while updating app" : "Gabim gjatë përditësimit të aplikacionit", "Updated" : "U përditësua", + "Removing …" : "Duke hequr ...", "Error while removing app" : "Gabim ndërsa çaktivizon aplikacionin", "Remove" : "Hiqe", "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "Aplikacioni është aktivizuar, por lyp të përditësohet. Do të ridrejtoheni te faqja e përditësimeve brenda 5 sekondash.", @@ -127,7 +141,7 @@ OC.L10N.register( "Error while deleting the token" : "Gabim gjatë fshirjes së token-it", "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Ndodhi një gabim. Ju lutemi, ngarkoni një dëshmi PEM të koduar me ASCII.", "Valid until {date}" : "E vlefshme deri më {date}", - "Delete" : "Fshije", + "Delete" : "Fshij", "Local" : "Lokale", "Private" : "Private", "Only visible to local users" : "E dukshme vetëm për përdoruesit lokal", @@ -138,6 +152,7 @@ OC.L10N.register( "Will be synced to a global and public address book" : "Do të sinkronizohet te një libër adresash publik dhe global", "Verify" : "Verifiko", "Verifying …" : "Duke verifikuar ...", + "An error occured while changing your language. Please reload the page and try again." : "Ndodhi një gabim teksa ndryshohej gjuha. Ju lutem, rifresko faqen dhe provo përsëri.", "Select a profile picture" : "Përzgjidhni një foto profili", "Very weak password" : "Fjalëkalim shumë i dobët", "Weak password" : "Fjalëkalim i dobët", @@ -148,10 +163,12 @@ OC.L10N.register( "Unable to delete {objName}" : "S’arrin të fshijë {objName}", "Error creating group: {message}" : "Gabim gjatë krijimit të grupit: {message}", "A valid group name must be provided" : "Duhet dhënë një emër i vlefshëm grupi", - "deleted {groupName}" : "u fshi {groupName}", + "deleted {groupName}" : "u fshi {emërGrupi}", "undo" : "zhbëje", + "{size} used" : "{madhësia} e përdorur", "never" : "kurrë", "deleted {userName}" : "u fshi {userName}", + "No user found for <strong>{pattern}</strong>" : "Asnjë përdorues i gjetur për <strong> {modelin} </strong>", "Unable to add user to group {group}" : "E pamundur që të shtosh përdorues te grupi {grupi}", "Unable to remove user from group {group}" : "E pamundur të heqësh përdoruesin nga grupi {grupi}", "Add group" : "Shto grup", @@ -166,6 +183,8 @@ OC.L10N.register( "A valid password must be provided" : "Duhet dhënë një fjalëkalim i vlefshëm", "A valid email must be provided" : "Duhet dhënë një email i vlefshëm", "Developer documentation" : "Dokumentim për zhvillues", + "View in store" : "Shiko në dyqan", + "Limit to groups" : "Kufizo grupet", "This app has an update available." : "Ka gati një përditësim për këtë aplikacion.", "by %s" : "nga %s", "%s-licensed" : "licencuar prej %s", @@ -199,6 +218,7 @@ OC.L10N.register( "STARTTLS" : "STARTTLS", "Email server" : "Shërbyes email-esh", "Open documentation" : "Hapni dokumentimin", + "It is important to set up this server to be able to send emails, like for password reset and notifications." : "Është e rëndësishme të ngrini këtë server për të qenë në gjendje të dërgoni email, si për rivendosjen e fjalëkalimeve dhe për njoftimet.", "Send mode" : "Mënyrë dërgimi", "Encryption" : "Fshehtëzim", "From address" : "Nga adresa", @@ -214,6 +234,7 @@ OC.L10N.register( "Test email settings" : "Testoni rregullimet e email-it", "Send email" : "Dërgo email", "Server-side encryption" : "Fshehtëzim më anë shërbyesi", + "Server-side encryption makes it possible to encrypt files which are uploaded to this server. This comes with limitations like a performance penalty, so enable this only if needed." : "Enkriptimi nga ana e serverit bën të mundur enkriptimin e skedarëve të ngarkuar në këtë server. Kjo vjen me kufizime si një ndëshkim për performancën, prandaj e lejoni këtë vetëm nëse është e nevojshme.", "Enable server-side encryption" : "Aktivizo fshehtëzim më anë të shërbyesit", "Please read carefully before activating server-side encryption: " : "Ju lutemi, lexoni me kujdes përpara aktivizimit të fshehtëzimeve më anë shërbyesi: ", "Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met." : "Pasi të jetë aktivizuar fshehtëzimi, krejt kartelat e ngarkuara te shërbyesi nga kjo pikë e tutje do të fshehtëzohen pasi të jenë depozituar në shërbyes. Çaktivizimi i fshehtëzimit në një datë të mëvonshme do të jetë i mundur vetëm nëse moduli aktiv i fshehtëzimeve e mbulon këtë funksion, dhe nëse plotësohen krejt parakushtet (p.sh. caktimi i një kyçi rimarrjesh).", @@ -228,20 +249,39 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Lypset të migroni kyçet tuaj të fshehtëzimit nga fshehtëzimi i vjetër (ownCloud <= 8.0) te i riu.", "Start migration" : "Fillo migrimin", "Security & setup warnings" : "Sinjalizime sigurie & rregullimi", + "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP-ja nuk duket të jetë ngritur si duhet për të kërkuar ndryshore mjedisi sistemi. Testi me getenv(\"PATH\") kthen vetëm një përgjigje të zbrazët.", + "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Ju lutem kontrolloni <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\"> dokumentacionin e instalimit ↗ </a> për shënimet e konfigurimit te PHP-se dhe për konfigurimin PHP të serverit tuaj, veçanërisht kur përdoret php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Rregullimi Vetëm-Lexim u aktivizua. Kjo parandalon rregullimin e disa parametrave përmes ndërfaqes web. Më tej, për çdo përditësim kartela lyp të kalohet dorazi si e shkrueshme.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "Mesa duket PHP është ngritur për të zhveshur blloqet e inline doc. Kjo do të bëjë disa aplikacione bazë të paaksesueshme.", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Kjo ka gjasa të jetë shkaktuar nga një fshehtinë/përshpejtues i tillë si Zend OPcache ose eAccelerator.", "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Baza juaj e të dhënave nuk ekzekutohet me nivelin \"READ COMMITED\" e izolimit për ndërveprimet. Kjo mund të shkaktojë probleme, kur kryhen paralelisht disa veprime njëherësh.", + "%1$s below version %2$s is installed, for stability and performance reasons it is recommended to update to a newer %1$s version." : "%1$s versioni i mëposhtëm %2$sështë instaluar, për arsye qëndrueshmërie dhe performance është e rekomanduar të përditësohet në një version më të ri %1$s.", + "The PHP module 'fileinfo' is missing. It is strongly recommended to enable this module to get the best results with MIME type detection." : "Moduli PHP 'fileinfo' mungon. Ne ju rekomandojmë që të mundësohet ky modul për të marrë rezultatet më të mira me zbulimin e llojit MIME.", "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentation ↗</a> for more information." : "Kyçja e kartelave gjatë transaksioneve është e çaktivizuar, kjo mund të sjellë probleme me gjendje <em>race conditions</em>. Që të shmangni këto probleme, aktivizoni 'filelocking.enabled' te config.php. Për më tepër të dhëna, shihni <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">dokumentimin ↗</a>.", "System locale can not be set to a one which supports UTF-8." : "Si vendore sistemi nuk mund të caktohet një që mbulon UTF-8.", + "This means that there might be problems with certain characters in filenames." : "Kjo do të thotë që mund të ketë probleme me disa karaktere në emrat e skedarëve.", + "It is strongly proposed to install the required packages on your system to support one of the following locales: %s." : "Propozohrt që të instaloni paketat e kërkuara në sistemin tuaj për të mbështetur një nga lokacionet e mëposhtme: %s.", + "If your installation is not installed at the root of the domain and uses system Cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "Nëse instalimi juaj nuk është bërë në rrënjë të përkatësisë dhe përdor cron sistemi, mund të ketë probleme me prodhimin e URL-së. Që të shmangen këto probleme, ju lutemi, jepini mundësisë \"overwrite.cli.url\" te kartela juaj config.php vlerën e shtegut webroot të instalimit tuaj (E këshillueshme: \"%s\")", + "It was not possible to execute the cron job via CLI. The following technical errors have appeared:" : "Nuk ishte e mundur që të ekzekutohej puna cron nëpërmjet CLI. Gabimet teknike në vijim janë shfaqur :", "Please double check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation guides ↗</a>, and check for any errors or warnings in the <a href=\"%s\">log</a>." : "Ju lutem riverifikoni <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\"> udhëzuesin e instalimit </a>,, dhe kontrolloni për ndonjë gabim apo njoftim paraprak në <a href=\"%s\">log</a>.", "All checks passed." : "I kaloi krejt kontrollet.", + "Background jobs" : "Punët në background", + "Last job ran %s." : "Puna e fundit vazhdoi %s.", + "Last job execution ran %s. Something seems wrong." : "Ekzekutimi i punës së fundit vazhdoi %s. Diçka shkoi keq.", + "Background job didn’t run yet!" : "Puna ne background nuk ka filluar akoma!", + "For optimal performance it's important to configure background jobs correctly. For bigger instances 'Cron' is the recommended setting. Please see the documentation for more information." : "Për performancë optimale është e rëndësishme të konfigurosh punë të sfondit në mënyrë korrekte. Për raste më të mëdha 'Cron' është konfigurimi i rekomanduar. Ju lutem shih dokumentacionin për më shumë informacion.", "Execute one task with each page loaded" : "Kryeni vetëm një veprim me secilën prej faqeve të ngarkuara", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over HTTP." : "cron.php është regjistruar në një server webcron për të thirrur cron.php çdo 15 minuta mbi HTTP.", + "Use system cron service to call the cron.php file every 15 minutes." : "Përdor shërbimin cron të sistemit për të thirrur skedarin cron.php çdo 15 minuta.", "The cron.php needs to be executed by the system user \"%s\"." : "con.php duhet të ekzekutohet bga përdoruesi i sistemit \"%s\".", + "To run this you need the PHP POSIX extension. See {linkstart}PHP documentation{linkend} for more details." : "Për të bërë këtë ekzekutim ju duhet shtesa PHP POSIX. Shikoni {linkstart} dokumentacionin e PHP {linkend} pë më shumë detaje.", "Version" : "Version", "Sharing" : "Ndarje me të tjerët", + "As admin you can fine-tune the sharing behavior. Please see the documentation for more information." : "Si admin ju mund të rregulloni mirë sjelljen e ndarjes. Ju lutem shih dokumentacionin për më shumë informacion.", "Allow apps to use the Share API" : "Lejoni aplikacionet të përdorin API Share", "Allow users to share via link" : "Lejoji përdoruesit të ndajnë me të tjerët përmes lidhjesh", "Allow public uploads" : "Lejo ngarkime publike", + "Always ask for a password" : "Gjithmonë pyet për një fjalëkalim", "Enforce password protection" : "Detyro mbrojtje me fjalëkalim", "Set default expiration date" : "Caktoni datë parazgjedhje skadimi", "Expire after " : "Skadon pas ", @@ -256,6 +296,7 @@ OC.L10N.register( "Show disclaimer text on the public link upload page. (Only shown when the file list is hidden.)" : "Shfaqni tekstin e mospranimit në linkun publik të faqes së ngarkuar. (Shfaqet vetëm kur lista e skedarit është e fshehur.)", "This text will be shown on the public link upload page when the file list is hidden." : "Ky tekst do të shfaqet në linkun publik të faqes së ngarkuar kur lista e skedarit të jetë e fshehur.", "Tips & tricks" : "Ndihmëza & rrengje", + "There are a lot of features and config switches available to optimally customize and use this instance. Here are some pointers for more information." : "Ekzistojnë shumë funksione dhe çelësa të konfigurimit që janë në dispozicion për të përshtatur dhe përdorur në mënyrë optimale këtë shembull. Këtu janë disa udhëzues për më shumë informacion.", "SQLite is currently being used as the backend database. For larger installations we recommend that you switch to a different database backend." : "SQLite po përdoret si bazë të dhënash e programit klient. Për instalime më të ngarkuara, këshillojmë të kalohet në një program tjetër klient baze të dhënash.", "This is particularly recommended when using the desktop client for file synchronisation." : "Kjo është veçanërisht e rekomanduar gjatë përdorimit të desktopit të klientit për sinkronizimin skedari. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentation ↗</a>." : "Për të kaluar te një tjetër bazë të dhënash përdorni mjetin rresht urdhrash: 'occ db:convert-type', ose shihni <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">dokumentimin ↗</a>.", @@ -264,6 +305,7 @@ OC.L10N.register( "Performance tuning" : "Përimtime performance", "Improving the config.php" : "Si të përmirësohet config.php", "Theming" : "Ndryshim teme grafike", + "Check the security of your Nextcloud over our security scan" : "Kontrolloni sigurinë e Nextcloud tuaj mbi skanimin tonë të sigurisë", "Hardening and security guidance" : "Udhëzime për forcim dhe siguri", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Po përdorni <strong>%s</strong> nga <strong>%s</strong>", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Ju po përdorni <strong>%s</strong> të <strong>%s</strong> (<strong>%s%%</strong>)", @@ -287,7 +329,9 @@ OC.L10N.register( "Your postal address" : "Adresa juaj postale", "Website" : "Faqe web-i", "It can take up to 24 hours before the account is displayed as verified." : "Kjo mund të marrë mbi 24 orë, përpara se llogaria të shfaqet si e verifikuar.", + "Link https://…" : "Linku https://…", "Twitter" : "Twitter", + "Twitter handle @…" : "Përdoruesi i Twitter @ ...", "You are member of the following groups:" : "Jeni anëtar i grupeve vijuese:", "Password" : "Fjalëkalim", "Current password" : "Fjalëkalimi i tanishëm", @@ -305,6 +349,11 @@ OC.L10N.register( "Username" : "Emër përdoruesi", "Done" : "U bë", "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Zhvilluar nga {communityopen}komuniteti Nextcloud {linkclose}, {githubopen}kodi i hapur{linkclose} iështë licensuar sipar {licenseopen}AGPL{linkclose}.", + "Follow us on Google+" : "Na ndiqni në Google+", + "Like our Facebook page" : "Pëlqeni faqen tonë në Facebook", + "Follow us on Twitter" : "Na ndiqni në Twitter", + "Check out our blog" : "Shikoni blogun tonë", + "Subscribe to our newsletter" : "Abonohu në gazeten tonë", "Settings" : "Konfigurimet", "Show storage location" : "Shfaq vendndodhje depozite", "Show user backend" : "Shfaq programin klient të përdoruesit", @@ -389,6 +438,10 @@ OC.L10N.register( "Subscribe to our news feed!" : "Abonohuni në kanalin tonë në twitter!", "Subscribe to our newsletter!" : "Abonohuni në buletinin tonë informativ!", "Show last log in" : "Shfaq hyrjen e fundit", + "Verifying" : "Duke verifikuar", + "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." : "Është e rëndësishme për sigurinë dhe performancën e instancës tuaj që gjithçka të konfigurohet në mënyrë korrekte. Për t'ju ndihmuar me këtë ne po bëjmë disa kontrolle automatike. Ju lutemi shikoni seksionin e këshillave dhe dokumentacionin për më shumë informacion.", + "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Moduli PHP 'fileinfo' mungon. Ne ju rekomandojmë që të mundësohet ky modul për të marrë rezultatet më të mira me zbulimin e llojit MIME.", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Web, desktop, klientë të lëvizshëm dhe fjalëkalime specifike për aplikacione që aktualisht kanë akses në llogarinë tuaj.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Këtu ju mund krijoni fjalëkalime individuale për aplikacionet, kështu që ju nuk keni pse të hiqni dorë nga fjalëkalimi juaj. Ju mund t'i anulloni ato individualish.", "Follow us on Google+!" : "Na ndiqni në Google+!", "Follow us on Twitter!" : "Na ndiqni në Twitter!", diff --git a/settings/l10n/sq.json b/settings/l10n/sq.json index baff66e7959..f1321a23c67 100644 --- a/settings/l10n/sq.json +++ b/settings/l10n/sq.json @@ -2,10 +2,12 @@ "{actor} changed your password" : "{actor} ndryshoi fjalëkalimin tuaj ", "You changed your password" : "Ju ndëruat fjalëkalimin", "Your password was reset by an administrator" : "Fjalëkalimi juaj është rivendosur nga administratori", - "{actor} changed your email address" : "{actor} ndëroi emailin tuaj ", + "{actor} changed your email address" : "{aktori} ndërroi emailin tuaj ", "You changed your email address" : "Ju ndryshuat adresën e emailit tuaj", "Your email address was changed by an administrator" : "Adresa juaj e email-it është ndryshuar nga një administrator", "Security" : "Siguria", + "You successfully logged in using two-factor authentication (%1$s)" : "Ju keni hyrë me sukses duke përdorur autentifikimin me dy faktorë ( %1$s )", + "A login attempt using two-factor authentication failed (%1$s)" : "Një përpjekje e identifikimit me anë të autentifikimit me dy faktorë dështoi ( %1$s )", "Your <strong>password</strong> or <strong>email</strong> was modified" : "<strong>fjalëkalimi</strong> ose <strong>emaili</strong> juaj është modifikuar", "Your apps" : "Aplikacionet tuaja ", "Enabled apps" : "Lejo aplikacionet", @@ -18,6 +20,7 @@ "Authentication error" : "Gabim mirëfilltësimi", "Please provide an admin recovery password; otherwise, all user data will be lost." : "Ju lutemi siguro një fjalëkalim të rikuperueshëm admini; përndryshe, të gjithë të dhënat e përdoruesit do të humbasin ", "Wrong admin recovery password. Please check the password and try again." : "Fjalëkalim i gabuar rikthimesh për përgjegjësin. Ju lutemi, kontrolloni fjalëkalimin dhe provoni përsëri.", + "Backend doesn't support password change, but the user's encryption key was updated." : "Programi klient s’mbulon ndryshime fjalëkalimi, por kyçi i përdoruesi për fshehtëzime u përditësua me sukses.", "installing and updating apps via the app store or Federated Cloud Sharing" : "instalim dhe përditësim aplikacionesh përmes shitores së aplikacioneve ose Federated Cloud Sharing", "Federated Cloud Sharing" : "Ndarje Në Re të Federuar ", "cURL is using an outdated %s version (%s). Please update your operating system or features such as %s will not work reliably." : "cURL-ja po përdor një version %s të vjetruar (%s). Ju lutemi, përditësoni sistemin tuaj operativ ose përndryshe veçori të tilla si %s nuk do të punojnë në mënyrë të qëndrueshme.", @@ -26,7 +29,11 @@ "Group already exists." : "Grupi ekziston tashmë.", "Unable to add group." : "S’arrin të shtojë grup.", "Unable to delete group." : "S’arrin të fshijë grup.", + "Invalid SMTP password." : "Fjalëkalim SMTP i pavlefshëm", "Well done, %s!" : "U krye, %s!", + "If you received this email, the email configuration seems to be correct." : "Nëse keni marrë këtë email, konfigurimi i email-it duket të jetë i saktë.", + "Email setting test" : "Test i konfigurimeve të Email-it", + "Email could not be sent. Check your mail server log" : "Email nuk mund të dërgohej. Kontrolloni logun e serverit tuaj të postës", "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "Ndodhi një gabim gjatë dërgimit të email-it. Ju lutemi, rishikoni rregullimet tuaja. (Error: %s)", "You need to set your user email before being able to send test emails." : "Lypset të caktoni email-in tuaj si përdorues, përpara se të jeni në gjendje të dërgoni email-e provë.", "Invalid mail address" : "Adresë email e pavlefshme", @@ -36,14 +43,16 @@ "Unable to create user." : "S’u arrit krijimi i përdoruesit.", "Unable to delete user." : "S’arrin të fshijë përdorues.", "Error while enabling user." : "Gabim ndërsa", - "Error while disabling user." : "Gabim ndërsa çaktivizo përdoruesin.", + "Error while disabling user." : "Gabim gjatë çaktivizimit të përdoruesit.", + "In order to verify your Twitter account, post the following tweet on Twitter (please make sure to post it without any line breaks):" : "Në mënyrë që të verifikoni llogarinë tuaj në Twitter, postojeni tweet-in e mëposhtme në Twitter (ju lutemi sigurohuni që ta postoni atë pa asnjë ndërprerje rrjeshti):", + "In order to verify your Website, store the following content in your web-root at '.well-known/CloudIdVerificationCode.txt' (please make sure that the complete text is in one line):" : "Në mënyrë që të verifikoni faqen tuaj të internetit, ruani përmbajtjen e mëposhtme në rrënjën tuaj të internetit në '.well-known / CloudIdVerificationCode.txt' (ju lutemi sigurohuni që teksti i plotë të jetë në një vijë):", "Settings saved" : "Konfigurimet u ruajtën", "Unable to change full name" : "S’arrin të ndryshojë emrin e plotë", "Unable to change email address" : "Nuk mund të ndryshohet adresa e email-it", "Your full name has been changed." : "Emri juaj i plotë u ndryshua.", "Forbidden" : "E ndaluar", "Invalid user" : "Përdorues i pavlefshëm", - "Unable to change mail address" : "S’arrin të ndryshojë adresë email", + "Unable to change mail address" : "E pamundur të ndryshojë adresën e email-it", "Email saved" : "Email-i u ruajt", "%1$s changed your password on %2$s." : "%1$s ju ka ndryshuar fjalëkalmin në %2$s.", "Your password on %s was changed." : "Fjalëkalimi juaj në %s u ndryshua. ", @@ -57,10 +66,13 @@ "Email address changed for %s" : "Adresa e email-it ndryshojë për %s", "The new email address is %s" : "Adresa e re e email-it është %s", "Email address for %1$s changed on %2$s" : "Adresa e email-it për %1$s ndryshojë në %2$s", + "Welcome aboard" : "Mirë se vini në bord", + "Welcome aboard %s" : "Mirë se vini në bord %s", "You have now an %s account, you can add, protect, and share your data." : "Ju keni tani një %s llogari, ju mund të shtoni, mbroni dhe shpërndanin të dhënat tuaja.", "Your username is: %s" : "Emri juaj i përdoruesit është: %s", "Set your password" : "Vendos fjalëkalimin tënd", "Go to %s" : "Shko tek %s", + "Install Client" : "Instalo Klient", "Your %s account was created" : "Llogaria juaj %s u krijua", "Password confirmation is required" : "Kërkohet konfirmimi i fjalëkalimit", "Couldn't remove app." : "S’hoqi dot aplikacionin.", @@ -81,17 +93,19 @@ "Official apps are developed by and within the community. They offer central functionality and are ready for production use." : "Aplikacionet zyrtare zhvillohen nga komuniteti dhe brenta tij. Ato ofrojnë funksionalitet qëndror dhe janë gati për përdorim.", "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "Aplikacionet e miratuara ndërtohen nga zhvillues të besuar dhe kanë kaluar një kontroll të përciptë sigurie. Mirëmbahen aktivisht në një depo të hapur kodi dhe mirëmbajtësit e tyre i konsiderojnë të qëndrueshme për përdorime nga të rastit deri në ato normale.", "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "Ky aplikacion s’është kontrolluar për probleme sigurie dhe është i ri ose i njohur si i paqëndrueshëm. Instalojeni duke e mbajtur vetë përgjegjësinë.", + "Disabling app …" : "Çaktivizo aplikacionin ...", "Error while disabling app" : "Gabim në çaktivizimin e aplikacionit", "Disable" : "Çaktivizoje", "Enable" : "Aktivizoje", "Enabling app …" : "Duke aktivizuar aplikacionin ...", "Error while enabling app" : "Gabim në aktivizimin e aplikacionit", - "Error: this app cannot be enabled because it makes the server unstable" : "Gabim: ky aplikacion s’u aktivizua dot, ngaqë e bën shërbyesin të paqëndrueshëm.", - "Error: could not disable broken app" : "Gabim: s’u çaktivizua dot aplikacion i dëmtuar", + "Error: This app can not be enabled because it makes the server unstable" : "Gabim: Ky aplikacion s’u aktivizua dot, ngaqë e bën shërbyesin të paqëndrueshëm.", + "Error: Could not disable broken app" : "Gabim: S’u çaktivizua dot aplikacioni i dëmtuar", "Error while disabling broken app" : "Gabim teka çaktivizohej aplikacion i dëmtuar", "Updating...." : "Po përditësohet…", "Error while updating app" : "Gabim gjatë përditësimit të aplikacionit", "Updated" : "U përditësua", + "Removing …" : "Duke hequr ...", "Error while removing app" : "Gabim ndërsa çaktivizon aplikacionin", "Remove" : "Hiqe", "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "Aplikacioni është aktivizuar, por lyp të përditësohet. Do të ridrejtoheni te faqja e përditësimeve brenda 5 sekondash.", @@ -125,7 +139,7 @@ "Error while deleting the token" : "Gabim gjatë fshirjes së token-it", "An error occurred. Please upload an ASCII-encoded PEM certificate." : "Ndodhi një gabim. Ju lutemi, ngarkoni një dëshmi PEM të koduar me ASCII.", "Valid until {date}" : "E vlefshme deri më {date}", - "Delete" : "Fshije", + "Delete" : "Fshij", "Local" : "Lokale", "Private" : "Private", "Only visible to local users" : "E dukshme vetëm për përdoruesit lokal", @@ -136,6 +150,7 @@ "Will be synced to a global and public address book" : "Do të sinkronizohet te një libër adresash publik dhe global", "Verify" : "Verifiko", "Verifying …" : "Duke verifikuar ...", + "An error occured while changing your language. Please reload the page and try again." : "Ndodhi një gabim teksa ndryshohej gjuha. Ju lutem, rifresko faqen dhe provo përsëri.", "Select a profile picture" : "Përzgjidhni një foto profili", "Very weak password" : "Fjalëkalim shumë i dobët", "Weak password" : "Fjalëkalim i dobët", @@ -146,10 +161,12 @@ "Unable to delete {objName}" : "S’arrin të fshijë {objName}", "Error creating group: {message}" : "Gabim gjatë krijimit të grupit: {message}", "A valid group name must be provided" : "Duhet dhënë një emër i vlefshëm grupi", - "deleted {groupName}" : "u fshi {groupName}", + "deleted {groupName}" : "u fshi {emërGrupi}", "undo" : "zhbëje", + "{size} used" : "{madhësia} e përdorur", "never" : "kurrë", "deleted {userName}" : "u fshi {userName}", + "No user found for <strong>{pattern}</strong>" : "Asnjë përdorues i gjetur për <strong> {modelin} </strong>", "Unable to add user to group {group}" : "E pamundur që të shtosh përdorues te grupi {grupi}", "Unable to remove user from group {group}" : "E pamundur të heqësh përdoruesin nga grupi {grupi}", "Add group" : "Shto grup", @@ -164,6 +181,8 @@ "A valid password must be provided" : "Duhet dhënë një fjalëkalim i vlefshëm", "A valid email must be provided" : "Duhet dhënë një email i vlefshëm", "Developer documentation" : "Dokumentim për zhvillues", + "View in store" : "Shiko në dyqan", + "Limit to groups" : "Kufizo grupet", "This app has an update available." : "Ka gati një përditësim për këtë aplikacion.", "by %s" : "nga %s", "%s-licensed" : "licencuar prej %s", @@ -197,6 +216,7 @@ "STARTTLS" : "STARTTLS", "Email server" : "Shërbyes email-esh", "Open documentation" : "Hapni dokumentimin", + "It is important to set up this server to be able to send emails, like for password reset and notifications." : "Është e rëndësishme të ngrini këtë server për të qenë në gjendje të dërgoni email, si për rivendosjen e fjalëkalimeve dhe për njoftimet.", "Send mode" : "Mënyrë dërgimi", "Encryption" : "Fshehtëzim", "From address" : "Nga adresa", @@ -212,6 +232,7 @@ "Test email settings" : "Testoni rregullimet e email-it", "Send email" : "Dërgo email", "Server-side encryption" : "Fshehtëzim më anë shërbyesi", + "Server-side encryption makes it possible to encrypt files which are uploaded to this server. This comes with limitations like a performance penalty, so enable this only if needed." : "Enkriptimi nga ana e serverit bën të mundur enkriptimin e skedarëve të ngarkuar në këtë server. Kjo vjen me kufizime si një ndëshkim për performancën, prandaj e lejoni këtë vetëm nëse është e nevojshme.", "Enable server-side encryption" : "Aktivizo fshehtëzim më anë të shërbyesit", "Please read carefully before activating server-side encryption: " : "Ju lutemi, lexoni me kujdes përpara aktivizimit të fshehtëzimeve më anë shërbyesi: ", "Once encryption is enabled, all files uploaded to the server from that point forward will be encrypted at rest on the server. It will only be possible to disable encryption at a later date if the active encryption module supports that function, and all pre-conditions (e.g. setting a recover key) are met." : "Pasi të jetë aktivizuar fshehtëzimi, krejt kartelat e ngarkuara te shërbyesi nga kjo pikë e tutje do të fshehtëzohen pasi të jenë depozituar në shërbyes. Çaktivizimi i fshehtëzimit në një datë të mëvonshme do të jetë i mundur vetëm nëse moduli aktiv i fshehtëzimeve e mbulon këtë funksion, dhe nëse plotësohen krejt parakushtet (p.sh. caktimi i një kyçi rimarrjesh).", @@ -226,20 +247,39 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Lypset të migroni kyçet tuaj të fshehtëzimit nga fshehtëzimi i vjetër (ownCloud <= 8.0) te i riu.", "Start migration" : "Fillo migrimin", "Security & setup warnings" : "Sinjalizime sigurie & rregullimi", + "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP-ja nuk duket të jetë ngritur si duhet për të kërkuar ndryshore mjedisi sistemi. Testi me getenv(\"PATH\") kthen vetëm një përgjigje të zbrazët.", + "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Ju lutem kontrolloni <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\"> dokumentacionin e instalimit ↗ </a> për shënimet e konfigurimit te PHP-se dhe për konfigurimin PHP të serverit tuaj, veçanërisht kur përdoret php-fpm.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Rregullimi Vetëm-Lexim u aktivizua. Kjo parandalon rregullimin e disa parametrave përmes ndërfaqes web. Më tej, për çdo përditësim kartela lyp të kalohet dorazi si e shkrueshme.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "Mesa duket PHP është ngritur për të zhveshur blloqet e inline doc. Kjo do të bëjë disa aplikacione bazë të paaksesueshme.", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "Kjo ka gjasa të jetë shkaktuar nga një fshehtinë/përshpejtues i tillë si Zend OPcache ose eAccelerator.", "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "Baza juaj e të dhënave nuk ekzekutohet me nivelin \"READ COMMITED\" e izolimit për ndërveprimet. Kjo mund të shkaktojë probleme, kur kryhen paralelisht disa veprime njëherësh.", + "%1$s below version %2$s is installed, for stability and performance reasons it is recommended to update to a newer %1$s version." : "%1$s versioni i mëposhtëm %2$sështë instaluar, për arsye qëndrueshmërie dhe performance është e rekomanduar të përditësohet në një version më të ri %1$s.", + "The PHP module 'fileinfo' is missing. It is strongly recommended to enable this module to get the best results with MIME type detection." : "Moduli PHP 'fileinfo' mungon. Ne ju rekomandojmë që të mundësohet ky modul për të marrë rezultatet më të mira me zbulimin e llojit MIME.", "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentation ↗</a> for more information." : "Kyçja e kartelave gjatë transaksioneve është e çaktivizuar, kjo mund të sjellë probleme me gjendje <em>race conditions</em>. Që të shmangni këto probleme, aktivizoni 'filelocking.enabled' te config.php. Për më tepër të dhëna, shihni <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">dokumentimin ↗</a>.", "System locale can not be set to a one which supports UTF-8." : "Si vendore sistemi nuk mund të caktohet një që mbulon UTF-8.", + "This means that there might be problems with certain characters in filenames." : "Kjo do të thotë që mund të ketë probleme me disa karaktere në emrat e skedarëve.", + "It is strongly proposed to install the required packages on your system to support one of the following locales: %s." : "Propozohrt që të instaloni paketat e kërkuara në sistemin tuaj për të mbështetur një nga lokacionet e mëposhtme: %s.", + "If your installation is not installed at the root of the domain and uses system Cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "Nëse instalimi juaj nuk është bërë në rrënjë të përkatësisë dhe përdor cron sistemi, mund të ketë probleme me prodhimin e URL-së. Që të shmangen këto probleme, ju lutemi, jepini mundësisë \"overwrite.cli.url\" te kartela juaj config.php vlerën e shtegut webroot të instalimit tuaj (E këshillueshme: \"%s\")", + "It was not possible to execute the cron job via CLI. The following technical errors have appeared:" : "Nuk ishte e mundur që të ekzekutohej puna cron nëpërmjet CLI. Gabimet teknike në vijim janë shfaqur :", "Please double check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation guides ↗</a>, and check for any errors or warnings in the <a href=\"%s\">log</a>." : "Ju lutem riverifikoni <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\"> udhëzuesin e instalimit </a>,, dhe kontrolloni për ndonjë gabim apo njoftim paraprak në <a href=\"%s\">log</a>.", "All checks passed." : "I kaloi krejt kontrollet.", + "Background jobs" : "Punët në background", + "Last job ran %s." : "Puna e fundit vazhdoi %s.", + "Last job execution ran %s. Something seems wrong." : "Ekzekutimi i punës së fundit vazhdoi %s. Diçka shkoi keq.", + "Background job didn’t run yet!" : "Puna ne background nuk ka filluar akoma!", + "For optimal performance it's important to configure background jobs correctly. For bigger instances 'Cron' is the recommended setting. Please see the documentation for more information." : "Për performancë optimale është e rëndësishme të konfigurosh punë të sfondit në mënyrë korrekte. Për raste më të mëdha 'Cron' është konfigurimi i rekomanduar. Ju lutem shih dokumentacionin për më shumë informacion.", "Execute one task with each page loaded" : "Kryeni vetëm një veprim me secilën prej faqeve të ngarkuara", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over HTTP." : "cron.php është regjistruar në një server webcron për të thirrur cron.php çdo 15 minuta mbi HTTP.", + "Use system cron service to call the cron.php file every 15 minutes." : "Përdor shërbimin cron të sistemit për të thirrur skedarin cron.php çdo 15 minuta.", "The cron.php needs to be executed by the system user \"%s\"." : "con.php duhet të ekzekutohet bga përdoruesi i sistemit \"%s\".", + "To run this you need the PHP POSIX extension. See {linkstart}PHP documentation{linkend} for more details." : "Për të bërë këtë ekzekutim ju duhet shtesa PHP POSIX. Shikoni {linkstart} dokumentacionin e PHP {linkend} pë më shumë detaje.", "Version" : "Version", "Sharing" : "Ndarje me të tjerët", + "As admin you can fine-tune the sharing behavior. Please see the documentation for more information." : "Si admin ju mund të rregulloni mirë sjelljen e ndarjes. Ju lutem shih dokumentacionin për më shumë informacion.", "Allow apps to use the Share API" : "Lejoni aplikacionet të përdorin API Share", "Allow users to share via link" : "Lejoji përdoruesit të ndajnë me të tjerët përmes lidhjesh", "Allow public uploads" : "Lejo ngarkime publike", + "Always ask for a password" : "Gjithmonë pyet për një fjalëkalim", "Enforce password protection" : "Detyro mbrojtje me fjalëkalim", "Set default expiration date" : "Caktoni datë parazgjedhje skadimi", "Expire after " : "Skadon pas ", @@ -254,6 +294,7 @@ "Show disclaimer text on the public link upload page. (Only shown when the file list is hidden.)" : "Shfaqni tekstin e mospranimit në linkun publik të faqes së ngarkuar. (Shfaqet vetëm kur lista e skedarit është e fshehur.)", "This text will be shown on the public link upload page when the file list is hidden." : "Ky tekst do të shfaqet në linkun publik të faqes së ngarkuar kur lista e skedarit të jetë e fshehur.", "Tips & tricks" : "Ndihmëza & rrengje", + "There are a lot of features and config switches available to optimally customize and use this instance. Here are some pointers for more information." : "Ekzistojnë shumë funksione dhe çelësa të konfigurimit që janë në dispozicion për të përshtatur dhe përdorur në mënyrë optimale këtë shembull. Këtu janë disa udhëzues për më shumë informacion.", "SQLite is currently being used as the backend database. For larger installations we recommend that you switch to a different database backend." : "SQLite po përdoret si bazë të dhënash e programit klient. Për instalime më të ngarkuara, këshillojmë të kalohet në një program tjetër klient baze të dhënash.", "This is particularly recommended when using the desktop client for file synchronisation." : "Kjo është veçanërisht e rekomanduar gjatë përdorimit të desktopit të klientit për sinkronizimin skedari. ", "To migrate to another database use the command line tool: 'occ db:convert-type', or see the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentation ↗</a>." : "Për të kaluar te një tjetër bazë të dhënash përdorni mjetin rresht urdhrash: 'occ db:convert-type', ose shihni <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">dokumentimin ↗</a>.", @@ -262,6 +303,7 @@ "Performance tuning" : "Përimtime performance", "Improving the config.php" : "Si të përmirësohet config.php", "Theming" : "Ndryshim teme grafike", + "Check the security of your Nextcloud over our security scan" : "Kontrolloni sigurinë e Nextcloud tuaj mbi skanimin tonë të sigurisë", "Hardening and security guidance" : "Udhëzime për forcim dhe siguri", "You are using <strong>%s</strong> of <strong>%s</strong>" : "Po përdorni <strong>%s</strong> nga <strong>%s</strong>", "You are using <strong>%s</strong> of <strong>%s</strong> (<strong>%s %%</strong>)" : "Ju po përdorni <strong>%s</strong> të <strong>%s</strong> (<strong>%s%%</strong>)", @@ -285,7 +327,9 @@ "Your postal address" : "Adresa juaj postale", "Website" : "Faqe web-i", "It can take up to 24 hours before the account is displayed as verified." : "Kjo mund të marrë mbi 24 orë, përpara se llogaria të shfaqet si e verifikuar.", + "Link https://…" : "Linku https://…", "Twitter" : "Twitter", + "Twitter handle @…" : "Përdoruesi i Twitter @ ...", "You are member of the following groups:" : "Jeni anëtar i grupeve vijuese:", "Password" : "Fjalëkalim", "Current password" : "Fjalëkalimi i tanishëm", @@ -303,6 +347,11 @@ "Username" : "Emër përdoruesi", "Done" : "U bë", "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "Zhvilluar nga {communityopen}komuniteti Nextcloud {linkclose}, {githubopen}kodi i hapur{linkclose} iështë licensuar sipar {licenseopen}AGPL{linkclose}.", + "Follow us on Google+" : "Na ndiqni në Google+", + "Like our Facebook page" : "Pëlqeni faqen tonë në Facebook", + "Follow us on Twitter" : "Na ndiqni në Twitter", + "Check out our blog" : "Shikoni blogun tonë", + "Subscribe to our newsletter" : "Abonohu në gazeten tonë", "Settings" : "Konfigurimet", "Show storage location" : "Shfaq vendndodhje depozite", "Show user backend" : "Shfaq programin klient të përdoruesit", @@ -387,6 +436,10 @@ "Subscribe to our news feed!" : "Abonohuni në kanalin tonë në twitter!", "Subscribe to our newsletter!" : "Abonohuni në buletinin tonë informativ!", "Show last log in" : "Shfaq hyrjen e fundit", + "Verifying" : "Duke verifikuar", + "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." : "Është e rëndësishme për sigurinë dhe performancën e instancës tuaj që gjithçka të konfigurohet në mënyrë korrekte. Për t'ju ndihmuar me këtë ne po bëjmë disa kontrolle automatike. Ju lutemi shikoni seksionin e këshillave dhe dokumentacionin për më shumë informacion.", + "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "Moduli PHP 'fileinfo' mungon. Ne ju rekomandojmë që të mundësohet ky modul për të marrë rezultatet më të mira me zbulimin e llojit MIME.", + "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Web, desktop, klientë të lëvizshëm dhe fjalëkalime specifike për aplikacione që aktualisht kanë akses në llogarinë tuaj.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Këtu ju mund krijoni fjalëkalime individuale për aplikacionet, kështu që ju nuk keni pse të hiqni dorë nga fjalëkalimi juaj. Ju mund t'i anulloni ato individualish.", "Follow us on Google+!" : "Na ndiqni në Google+!", "Follow us on Twitter!" : "Na ndiqni në Twitter!", diff --git a/settings/l10n/sv.js b/settings/l10n/sv.js index 3caf9486f70..1ba5a98ce52 100644 --- a/settings/l10n/sv.js +++ b/settings/l10n/sv.js @@ -97,8 +97,6 @@ OC.L10N.register( "Enable" : "Aktivera", "Enabling app …" : "Aktiverar app ...", "Error while enabling app" : "Fel vid aktivering av app", - "Error: this app cannot be enabled because it makes the server unstable" : "Fel uppstod: Denna applikation kan ej startas för det gör servern ostabil.", - "Error: could not disable broken app" : "Fel: Gick inte att inaktivera trasig applikation.", "Error while disabling broken app" : "Fel under inaktivering av trasig applikation.", "Updating...." : "Uppdaterar ...", "Error while updating app" : "Fel uppstod vid uppdatering av appen", diff --git a/settings/l10n/sv.json b/settings/l10n/sv.json index 183f203d394..cece29821fc 100644 --- a/settings/l10n/sv.json +++ b/settings/l10n/sv.json @@ -95,8 +95,6 @@ "Enable" : "Aktivera", "Enabling app …" : "Aktiverar app ...", "Error while enabling app" : "Fel vid aktivering av app", - "Error: this app cannot be enabled because it makes the server unstable" : "Fel uppstod: Denna applikation kan ej startas för det gör servern ostabil.", - "Error: could not disable broken app" : "Fel: Gick inte att inaktivera trasig applikation.", "Error while disabling broken app" : "Fel under inaktivering av trasig applikation.", "Updating...." : "Uppdaterar ...", "Error while updating app" : "Fel uppstod vid uppdatering av appen", diff --git a/settings/l10n/th.js b/settings/l10n/th.js index 218c400cf2a..1af8034423a 100644 --- a/settings/l10n/th.js +++ b/settings/l10n/th.js @@ -46,8 +46,6 @@ OC.L10N.register( "Disable" : "ปิดใช้งาน", "Enable" : "เปิดใช้งาน", "Error while enabling app" : "เกิดข้อผิดพลาดขณะกำลังตรวจสอบแอพฯ", - "Error: this app cannot be enabled because it makes the server unstable" : "ข้อผิดพลาด: ไม่สามารถเปิดใช้งานแอพฯนี้ เพราะมันอาจทำให้เซิร์ฟเวอร์มีปัญหา", - "Error: could not disable broken app" : "ข้อผิดพลาด: ไม่สามารถปิดการใช้งานแอพฯที่มีปัญหา", "Error while disabling broken app" : "ข้อผิดพลาดขณะกำลังปิดการใช้งานแอพฯที่มีปัญหา", "Updating...." : "กำลังอัพเดทข้อมูล...", "Error while updating app" : "เกิดข้อผิดพลาดขณะกำลังอัพเดทแอพฯ", diff --git a/settings/l10n/th.json b/settings/l10n/th.json index 5852a625859..5a465fa14c2 100644 --- a/settings/l10n/th.json +++ b/settings/l10n/th.json @@ -44,8 +44,6 @@ "Disable" : "ปิดใช้งาน", "Enable" : "เปิดใช้งาน", "Error while enabling app" : "เกิดข้อผิดพลาดขณะกำลังตรวจสอบแอพฯ", - "Error: this app cannot be enabled because it makes the server unstable" : "ข้อผิดพลาด: ไม่สามารถเปิดใช้งานแอพฯนี้ เพราะมันอาจทำให้เซิร์ฟเวอร์มีปัญหา", - "Error: could not disable broken app" : "ข้อผิดพลาด: ไม่สามารถปิดการใช้งานแอพฯที่มีปัญหา", "Error while disabling broken app" : "ข้อผิดพลาดขณะกำลังปิดการใช้งานแอพฯที่มีปัญหา", "Updating...." : "กำลังอัพเดทข้อมูล...", "Error while updating app" : "เกิดข้อผิดพลาดขณะกำลังอัพเดทแอพฯ", diff --git a/settings/l10n/tr.js b/settings/l10n/tr.js index 9d689322192..20251f69c10 100644 --- a/settings/l10n/tr.js +++ b/settings/l10n/tr.js @@ -101,8 +101,8 @@ OC.L10N.register( "Enable" : "Etkinleştir", "Enabling app …" : "Uygulama etkinleştiriliyor...", "Error while enabling app" : "Uygulama etkinleştirilirken sorun çıktı", - "Error: this app cannot be enabled because it makes the server unstable" : "Hata: Bu uygulama sunucuda kararsızlığa yol açtığından etkinleştirilemez", - "Error: could not disable broken app" : "Hata: Bozuk uygulama devre dışı bırakılamadı", + "Error: This app can not be enabled because it makes the server unstable" : "Hata: Bu uygulama sunucuda kararsızlığa yol açtığından etkinleştirilemez", + "Error: Could not disable broken app" : "Hata: Bozuk uygulama devre dışı bırakılamadı", "Error while disabling broken app" : "Bozuk uygulama devre dışı bırakılırken sorun çıktı", "Updating...." : "Güncelleniyor....", "Error while updating app" : "Uygulama güncellenirken sorun çıktı", @@ -249,7 +249,7 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Şifreleme anahtarlarınızı eski şifrelemeden (ownCloud <= 8.0) yenisine aktarmalısınız.", "Start migration" : "Aktarmayı başlat", "Security & setup warnings" : "Güvenlik ve kurulum uyarıları", - "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." : "Kopyanızın güvenli ve yüksek başarımla çalışması için ayarların doğru yapılmış olması önemlidir. Bunu sağlamak için bazı otomatik denetimler yapılır. Ayrıntılı bilgi almak için İpuçları bölümüne ve belgelere bakın.", + "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 & Tricks section and the documentation for more information." : "Kopyanızın güvenli ve yüksek başarımla çalışması için ayarların doğru yapılmış olması önemlidir. Bunu sağlamak için bazı otomatik denetimler yapılır. Ayrıntılı bilgi almak için İpuçları bölümüne ve belgelere bakın.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP yanlış kurulmuş ve sistem ortam değişkenlerini okuyamıyor gibi görünüyor. getenv(\"PATH\") komutu ile yapılan sınama sonucunda boş bir yanıt alındı.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Lütfen PHP yapılandırma notları ve özellikle php-fpm kullanırken sunucunuzdaki PHP yapılandırması için <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">kurulum belgelerine ↗</a> bakın.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Salt Okunur yapılandırma etkinleştirilmiş. Bu yapılandırma, bazı ayarların web arayüzünden yapılmasını önler. Ayrıca, bu dosyanın her güncelleme öncesinde el ile yazılabilir yapılması gerekir.", @@ -440,6 +440,7 @@ OC.L10N.register( "Subscribe to our newsletter!" : " Bültenimize abone olun!", "Show last log in" : "Son oturum açma zamanı görüntülensin", "Verifying" : "Doğrulanıyor", + "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." : "Kopyanızın güvenli ve yüksek başarımla çalışması için ayarların doğru yapılmış olması önemlidir. Bunu sağlamak için bazı otomatik denetimler yapılır. Ayrıntılı bilgi almak için İpuçları bölümüne ve belgelere bakın.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP 'fileinfo' modülü bulunamadı. MIME türü algılamasında en iyi sonuçları elde etmek için bu modülü etkinleştirmeniz önerilir.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Şu anda hesabınıza erişebilen web, masa üstü ve mobil istemciler ile uygulamaya özel parolalar.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Bu bölümden uygulamalara özel parolalar üretebilirsiniz. Böylece kendi parolanızı vermeniz gerekmez. Daha sonra bu parolaları ayrı ayrı geçersiz kılabilirsiniz.", diff --git a/settings/l10n/tr.json b/settings/l10n/tr.json index ae9f4e30d8f..017e62c528d 100644 --- a/settings/l10n/tr.json +++ b/settings/l10n/tr.json @@ -99,8 +99,8 @@ "Enable" : "Etkinleştir", "Enabling app …" : "Uygulama etkinleştiriliyor...", "Error while enabling app" : "Uygulama etkinleştirilirken sorun çıktı", - "Error: this app cannot be enabled because it makes the server unstable" : "Hata: Bu uygulama sunucuda kararsızlığa yol açtığından etkinleştirilemez", - "Error: could not disable broken app" : "Hata: Bozuk uygulama devre dışı bırakılamadı", + "Error: This app can not be enabled because it makes the server unstable" : "Hata: Bu uygulama sunucuda kararsızlığa yol açtığından etkinleştirilemez", + "Error: Could not disable broken app" : "Hata: Bozuk uygulama devre dışı bırakılamadı", "Error while disabling broken app" : "Bozuk uygulama devre dışı bırakılırken sorun çıktı", "Updating...." : "Güncelleniyor....", "Error while updating app" : "Uygulama güncellenirken sorun çıktı", @@ -247,7 +247,7 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "Şifreleme anahtarlarınızı eski şifrelemeden (ownCloud <= 8.0) yenisine aktarmalısınız.", "Start migration" : "Aktarmayı başlat", "Security & setup warnings" : "Güvenlik ve kurulum uyarıları", - "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." : "Kopyanızın güvenli ve yüksek başarımla çalışması için ayarların doğru yapılmış olması önemlidir. Bunu sağlamak için bazı otomatik denetimler yapılır. Ayrıntılı bilgi almak için İpuçları bölümüne ve belgelere bakın.", + "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 & Tricks section and the documentation for more information." : "Kopyanızın güvenli ve yüksek başarımla çalışması için ayarların doğru yapılmış olması önemlidir. Bunu sağlamak için bazı otomatik denetimler yapılır. Ayrıntılı bilgi almak için İpuçları bölümüne ve belgelere bakın.", "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP yanlış kurulmuş ve sistem ortam değişkenlerini okuyamıyor gibi görünüyor. getenv(\"PATH\") komutu ile yapılan sınama sonucunda boş bir yanıt alındı.", "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "Lütfen PHP yapılandırma notları ve özellikle php-fpm kullanırken sunucunuzdaki PHP yapılandırması için <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">kurulum belgelerine ↗</a> bakın.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "Salt Okunur yapılandırma etkinleştirilmiş. Bu yapılandırma, bazı ayarların web arayüzünden yapılmasını önler. Ayrıca, bu dosyanın her güncelleme öncesinde el ile yazılabilir yapılması gerekir.", @@ -438,6 +438,7 @@ "Subscribe to our newsletter!" : " Bültenimize abone olun!", "Show last log in" : "Son oturum açma zamanı görüntülensin", "Verifying" : "Doğrulanıyor", + "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." : "Kopyanızın güvenli ve yüksek başarımla çalışması için ayarların doğru yapılmış olması önemlidir. Bunu sağlamak için bazı otomatik denetimler yapılır. Ayrıntılı bilgi almak için İpuçları bölümüne ve belgelere bakın.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP 'fileinfo' modülü bulunamadı. MIME türü algılamasında en iyi sonuçları elde etmek için bu modülü etkinleştirmeniz önerilir.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "Şu anda hesabınıza erişebilen web, masa üstü ve mobil istemciler ile uygulamaya özel parolalar.", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "Bu bölümden uygulamalara özel parolalar üretebilirsiniz. Böylece kendi parolanızı vermeniz gerekmez. Daha sonra bu parolaları ayrı ayrı geçersiz kılabilirsiniz.", diff --git a/settings/l10n/zh_CN.js b/settings/l10n/zh_CN.js index 78f2c5053f4..92eca8c8909 100644 --- a/settings/l10n/zh_CN.js +++ b/settings/l10n/zh_CN.js @@ -101,8 +101,8 @@ OC.L10N.register( "Enable" : "启用", "Enabling app …" : "正在启用应用程序...", "Error while enabling app" : "启用应用时出错", - "Error: this app cannot be enabled because it makes the server unstable" : "错误: 无法启用应用因为它会导致服务器不稳定", - "Error: could not disable broken app" : "错误: 无法禁用损坏的应用", + "Error: This app can not be enabled because it makes the server unstable" : "错误: 无法启用应用因为它会导致服务器不稳定", + "Error: Could not disable broken app" : "错误: 无法禁用损坏的应用", "Error while disabling broken app" : "禁用损坏的应用时出错", "Updating...." : "正在更新....", "Error while updating app" : "更新应用时出错", @@ -249,12 +249,20 @@ OC.L10N.register( "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "您需要从旧版本 (ownCloud<=8.0) 迁移您的加密密钥.", "Start migration" : "开始迁移", "Security & setup warnings" : "安全及设置警告", - "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." : "为了您服务的安全和性能, 请将所有设置配置正确. 我们将会进行一些自动化检查以帮助您完成这项工作. 详情请查看 \"小提示\" 部分及相关文档.", + "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP 的设置似乎有问题, 无法获取系统环境变量. 使用 getenv(\\\"PATH\\\") 测试时仅返回空结果.", + "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "请检查 <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">安装文档 ↗</a> 中关于 PHP 配置的说明并在您的服务器中进行配置, 尤其是使用 php-fpm 时.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "已启用只读配置. 这将阻止在 Web 界面中进行设置. 此外, 每次更新后该文件需要手动设置为可写入.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "PHP 被设置为移除内联块, 这将导致多个核心应用无法访问.", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "这可能是由缓存/加速器造成的, 例如 Zend OPcache 或 eAccelerator.", "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "您的数据库不能在 \"READ COMMITTED\" 事务隔离级别运行. 这样可能导致在多个并行操作时出现问题.", + "%1$s below version %2$s is installed, for stability and performance reasons it is recommended to update to a newer %1$s version." : "已安装 %1$s 的低版本 %2$s. 出于稳定性和性能的原因, 我们建议您升级到更新的 %1$s 版本.", + "The PHP module 'fileinfo' is missing. It is strongly recommended to enable this module to get the best results with MIME type detection." : "PHP 模块 'fileinfo' 缺失. 我们强烈建议启用此模块以便在 MIME 类型检测时获得最准确的结果.", "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentation ↗</a> for more information." : "事务文件锁被禁用, 这可能导致竞争条件的问题. 在 config.php 中启用 'filelocking.enabled' 选项来避免这些问题. 请参考 <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">文档↗</a> 获取更多信息.", "System locale can not be set to a one which supports UTF-8." : "系统区域无法设置为支持 UTF-8 的区域.", + "This means that there might be problems with certain characters in filenames." : "这意味着当文件名中包含特定字符时可能出现问题.", + "It is strongly proposed to install the required packages on your system to support one of the following locales: %s." : "我们强烈建议在您的系统中安装需要的包以支持下列区域: %s.", + "If your installation is not installed at the root of the domain and uses system Cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "如果您不是安装在域名的根目录, 并且使用系统 cron 服务时, 可能导致 URL 生成问题. 为了避免这些问题, 请在您的 config.php 文件中设置 \"overwrite.cli.url\" 选项为您的安装根目录路径 (建议: \"%s\")", + "It was not possible to execute the cron job via CLI. The following technical errors have appeared:" : "由于下列的技术错误, 无法通过 CLI 执行计划任务:", "Please double check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation guides ↗</a>, and check for any errors or warnings in the <a href=\"%s\">log</a>." : "请再次检查 <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">安装指南 ↗</a>, 并检查 <a href=\"%s\">日志</a> 中的任何错误或警告.", "All checks passed." : "所有检查已通过.", "Background jobs" : "后台任务", @@ -263,8 +271,10 @@ OC.L10N.register( "Background job didn’t run yet!" : "后台任务当前没有运行!", "For optimal performance it's important to configure background jobs correctly. For bigger instances 'Cron' is the recommended setting. Please see the documentation for more information." : "为了优化性能, 正确配置后台任务非常重要. 对于较大的实例, 推荐配置为 'Cron'. 详情请参考相关文档.", "Execute one task with each page loaded" : "每个页面加载后执行一个任务", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over HTTP." : "cron.php 注册到 webcron 服务上, 通过 http 每 15 分钟执行 cron.php.", "Use system cron service to call the cron.php file every 15 minutes." : "使用系统 cron 服务每 15 分钟执行一次 cron.php 文件.", "The cron.php needs to be executed by the system user \"%s\"." : "cron.php 需要被系统用户 \"%s\" 执行.", + "To run this you need the PHP POSIX extension. See {linkstart}PHP documentation{linkend} for more details." : "为了运行该功能, 您需要 PHP posix 扩展. 请参考 {linkstart}PHP 文档{linkend} 获取更多信息.", "Version" : "版本", "Sharing" : "共享", "As admin you can fine-tune the sharing behavior. Please see the documentation for more information." : "作为管理员,您可以调整共享行为。 有关详细信息,请参阅文档。", @@ -339,6 +349,11 @@ OC.L10N.register( "Username" : "用户名", "Done" : "完成", "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "由 {communityopen}Nextcloud community{linkclose} 开发, {githubopen}源代码{linkclose} 基于 {licenseopen}AGPL{linkclose} 许可协议.", + "Follow us on Google+" : "在 Google+ 上关注我们!", + "Like our Facebook page" : "点赞我们 facebook 页面!", + "Follow us on Twitter" : "在 Twitter 上关注我们!", + "Check out our blog" : "浏览我们的博客!", + "Subscribe to our newsletter" : "订阅我们的最新消息!", "Settings" : "设置", "Show storage location" : "显示存储位置", "Show user backend" : "显示用户来源", @@ -424,6 +439,7 @@ OC.L10N.register( "Subscribe to our newsletter!" : "订阅我们的最新消息!", "Show last log in" : "显示最后登录", "Verifying" : "正在验证", + "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." : "为了您服务的安全和性能, 请将所有设置配置正确. 我们将会进行一些自动化检查以帮助您完成这项工作. 详情请查看 \"小提示\" 部分及相关文档.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP 模块 'fileinfo' 缺失. 我们强烈建议启用此模块以便在 MIME 类型检测时获得最准确的结果.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "网站,桌面设备,移动客户端和当前可以访问您帐户的应用专用密码。", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "您可以为应用程序生成独立密码,因此您不必输入您的密码。 您也可以单独撤销这些独立密码。", diff --git a/settings/l10n/zh_CN.json b/settings/l10n/zh_CN.json index 64d08cc47a7..a7e9d18a463 100644 --- a/settings/l10n/zh_CN.json +++ b/settings/l10n/zh_CN.json @@ -99,8 +99,8 @@ "Enable" : "启用", "Enabling app …" : "正在启用应用程序...", "Error while enabling app" : "启用应用时出错", - "Error: this app cannot be enabled because it makes the server unstable" : "错误: 无法启用应用因为它会导致服务器不稳定", - "Error: could not disable broken app" : "错误: 无法禁用损坏的应用", + "Error: This app can not be enabled because it makes the server unstable" : "错误: 无法启用应用因为它会导致服务器不稳定", + "Error: Could not disable broken app" : "错误: 无法禁用损坏的应用", "Error while disabling broken app" : "禁用损坏的应用时出错", "Updating...." : "正在更新....", "Error while updating app" : "更新应用时出错", @@ -247,12 +247,20 @@ "You need to migrate your encryption keys from the old encryption (ownCloud <= 8.0) to the new one." : "您需要从旧版本 (ownCloud<=8.0) 迁移您的加密密钥.", "Start migration" : "开始迁移", "Security & setup warnings" : "安全及设置警告", - "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." : "为了您服务的安全和性能, 请将所有设置配置正确. 我们将会进行一些自动化检查以帮助您完成这项工作. 详情请查看 \"小提示\" 部分及相关文档.", + "PHP does not seem to be setup properly to query system environment variables. The test with getenv(\"PATH\") only returns an empty response." : "PHP 的设置似乎有问题, 无法获取系统环境变量. 使用 getenv(\\\"PATH\\\") 测试时仅返回空结果.", + "Please check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation documentation ↗</a> for PHP configuration notes and the PHP configuration of your server, especially when using php-fpm." : "请检查 <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">安装文档 ↗</a> 中关于 PHP 配置的说明并在您的服务器中进行配置, 尤其是使用 php-fpm 时.", "The Read-Only config has been enabled. This prevents setting some configurations via the web-interface. Furthermore, the file needs to be made writable manually for every update." : "已启用只读配置. 这将阻止在 Web 界面中进行设置. 此外, 每次更新后该文件需要手动设置为可写入.", + "PHP is apparently set up to strip inline doc blocks. This will make several core apps inaccessible." : "PHP 被设置为移除内联块, 这将导致多个核心应用无法访问.", "This is probably caused by a cache/accelerator such as Zend OPcache or eAccelerator." : "这可能是由缓存/加速器造成的, 例如 Zend OPcache 或 eAccelerator.", "Your database does not run with \"READ COMMITTED\" transaction isolation level. This can cause problems when multiple actions are executed in parallel." : "您的数据库不能在 \"READ COMMITTED\" 事务隔离级别运行. 这样可能导致在多个并行操作时出现问题.", + "%1$s below version %2$s is installed, for stability and performance reasons it is recommended to update to a newer %1$s version." : "已安装 %1$s 的低版本 %2$s. 出于稳定性和性能的原因, 我们建议您升级到更新的 %1$s 版本.", + "The PHP module 'fileinfo' is missing. It is strongly recommended to enable this module to get the best results with MIME type detection." : "PHP 模块 'fileinfo' 缺失. 我们强烈建议启用此模块以便在 MIME 类型检测时获得最准确的结果.", "Transactional file locking is disabled, this might lead to issues with race conditions. Enable 'filelocking.enabled' in config.php to avoid these problems. See the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">documentation ↗</a> for more information." : "事务文件锁被禁用, 这可能导致竞争条件的问题. 在 config.php 中启用 'filelocking.enabled' 选项来避免这些问题. 请参考 <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">文档↗</a> 获取更多信息.", "System locale can not be set to a one which supports UTF-8." : "系统区域无法设置为支持 UTF-8 的区域.", + "This means that there might be problems with certain characters in filenames." : "这意味着当文件名中包含特定字符时可能出现问题.", + "It is strongly proposed to install the required packages on your system to support one of the following locales: %s." : "我们强烈建议在您的系统中安装需要的包以支持下列区域: %s.", + "If your installation is not installed at the root of the domain and uses system Cron, there can be issues with the URL generation. To avoid these problems, please set the \"overwrite.cli.url\" option in your config.php file to the webroot path of your installation (Suggested: \"%s\")" : "如果您不是安装在域名的根目录, 并且使用系统 cron 服务时, 可能导致 URL 生成问题. 为了避免这些问题, 请在您的 config.php 文件中设置 \"overwrite.cli.url\" 选项为您的安装根目录路径 (建议: \"%s\")", + "It was not possible to execute the cron job via CLI. The following technical errors have appeared:" : "由于下列的技术错误, 无法通过 CLI 执行计划任务:", "Please double check the <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">installation guides ↗</a>, and check for any errors or warnings in the <a href=\"%s\">log</a>." : "请再次检查 <a target=\"_blank\" rel=\"noreferrer\" href=\"%s\">安装指南 ↗</a>, 并检查 <a href=\"%s\">日志</a> 中的任何错误或警告.", "All checks passed." : "所有检查已通过.", "Background jobs" : "后台任务", @@ -261,8 +269,10 @@ "Background job didn’t run yet!" : "后台任务当前没有运行!", "For optimal performance it's important to configure background jobs correctly. For bigger instances 'Cron' is the recommended setting. Please see the documentation for more information." : "为了优化性能, 正确配置后台任务非常重要. 对于较大的实例, 推荐配置为 'Cron'. 详情请参考相关文档.", "Execute one task with each page loaded" : "每个页面加载后执行一个任务", + "cron.php is registered at a webcron service to call cron.php every 15 minutes over HTTP." : "cron.php 注册到 webcron 服务上, 通过 http 每 15 分钟执行 cron.php.", "Use system cron service to call the cron.php file every 15 minutes." : "使用系统 cron 服务每 15 分钟执行一次 cron.php 文件.", "The cron.php needs to be executed by the system user \"%s\"." : "cron.php 需要被系统用户 \"%s\" 执行.", + "To run this you need the PHP POSIX extension. See {linkstart}PHP documentation{linkend} for more details." : "为了运行该功能, 您需要 PHP posix 扩展. 请参考 {linkstart}PHP 文档{linkend} 获取更多信息.", "Version" : "版本", "Sharing" : "共享", "As admin you can fine-tune the sharing behavior. Please see the documentation for more information." : "作为管理员,您可以调整共享行为。 有关详细信息,请参阅文档。", @@ -337,6 +347,11 @@ "Username" : "用户名", "Done" : "完成", "Developed by the {communityopen}Nextcloud community{linkclose}, the {githubopen}source code{linkclose} is licensed under the {licenseopen}AGPL{linkclose}." : "由 {communityopen}Nextcloud community{linkclose} 开发, {githubopen}源代码{linkclose} 基于 {licenseopen}AGPL{linkclose} 许可协议.", + "Follow us on Google+" : "在 Google+ 上关注我们!", + "Like our Facebook page" : "点赞我们 facebook 页面!", + "Follow us on Twitter" : "在 Twitter 上关注我们!", + "Check out our blog" : "浏览我们的博客!", + "Subscribe to our newsletter" : "订阅我们的最新消息!", "Settings" : "设置", "Show storage location" : "显示存储位置", "Show user backend" : "显示用户来源", @@ -422,6 +437,7 @@ "Subscribe to our newsletter!" : "订阅我们的最新消息!", "Show last log in" : "显示最后登录", "Verifying" : "正在验证", + "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." : "为了您服务的安全和性能, 请将所有设置配置正确. 我们将会进行一些自动化检查以帮助您完成这项工作. 详情请查看 \"小提示\" 部分及相关文档.", "The PHP module 'fileinfo' is missing. We strongly recommend to enable this module to get best results with MIME type detection." : "PHP 模块 'fileinfo' 缺失. 我们强烈建议启用此模块以便在 MIME 类型检测时获得最准确的结果.", "Web, desktop, mobile clients and app specific passwords that currently have access to your account." : "网站,桌面设备,移动客户端和当前可以访问您帐户的应用专用密码。", "Here you can generate individual passwords for apps so you don’t have to give out your password. You can revoke them individually too." : "您可以为应用程序生成独立密码,因此您不必输入您的密码。 您也可以单独撤销这些独立密码。", diff --git a/settings/l10n/zh_TW.js b/settings/l10n/zh_TW.js index 327f5a2bafa..ce4ed5fd828 100644 --- a/settings/l10n/zh_TW.js +++ b/settings/l10n/zh_TW.js @@ -1,6 +1,20 @@ OC.L10N.register( "settings", { + "{actor} changed your password" : "{actor} 變更了您的密碼", + "You changed your password" : "您已變更您的密碼", + "Your password was reset by an administrator" : "您的密碼已被管理員重設", + "{actor} changed your email address" : "{actor} 變更了您的電子郵件地址", + "You changed your email address" : "您已更改您的電子郵件地址", + "Your email address was changed by an administrator" : "您的電子郵件已被管理員變更", + "Security" : "安全性", + "You successfully logged in using two-factor authentication (%1$s)" : "你已成功使用兩步驟驗證進行登入 (%1$s)", + "A login attempt using two-factor authentication failed (%1$s)" : "使用兩步驟驗證登入失敗 (%1$s)", + "Your <strong>password</strong> or <strong>email</strong> was modified" : "你的 <strong>密碼</strong> 或 <strong>email</strong> 已更動。", + "Your apps" : "您的應用程式", + "Enabled apps" : "已啓用應用程式", + "Disabled apps" : "已停用應用程式", + "App bundles" : "應用程式套裝", "Wrong password" : "密碼錯誤", "Saved" : "已儲存", "No user supplied" : "未提供使用者", @@ -15,60 +29,114 @@ OC.L10N.register( "Group already exists." : "群組已存在", "Unable to add group." : "無法新增群組", "Unable to delete group." : "無法刪除群組", + "Invalid SMTP password." : "無效的 SMTP 密碼", + "Well done, %s!" : "太棒了, %s!", + "If you received this email, the email configuration seems to be correct." : "如果你收到這封email,代表email設定是正確的。", + "Email setting test" : "測試郵件設定", + "Email could not be sent. Check your mail server log" : "郵件無法寄出,請查閱mail伺服器記錄檔", "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "寄出郵件時發生問題,請檢查您的設定(錯誤訊息:%s)", "You need to set your user email before being able to send test emails." : "在寄出測試郵件前您需要設定信箱位址", "Invalid mail address" : "無效的 email 地址", + "No valid group selected" : "無效的群組", "A user with that name already exists." : "同名的使用者已經存在", "Unable to create user." : "無法建立使用者", "Unable to delete user." : "無法移除使用者", + "Error while enabling user." : "啟用用戶時發生錯誤", + "Error while disabling user." : "停用用戶時發生錯誤", + "Settings saved" : "設定已存檔", "Unable to change full name" : "無法變更全名", + "Unable to change email address" : "無法變更email地址", "Your full name has been changed." : "您的全名已變更", "Forbidden" : "存取被拒", "Invalid user" : "無效的使用者", "Unable to change mail address" : "無法更改 email 地址", "Email saved" : "Email 已儲存", + "Your password on %s was changed." : "你的密碼在 %s 已變更。", + "Your password on %s was reset by an administrator." : "您的密碼在 %s 已被管理員重設。", + "Password changed for %s" : "%s 的密碼已變更。", + "If you did not request this, please contact an administrator." : "如果你未發送此請求 ,請聯絡系統管理員。", + "Password for %1$s changed on %2$s" : "%1$s 的密碼已在 %2$s 變更。", + "%1$s changed your email address on %2$s." : "%1$s 更改你的 email 地址在 %2$s 時。", + "Your email address on %s was changed." : "你的email地址在 %s 已變更。", + "Your email address on %s was changed by an administrator." : "你的email地址在 %s 已被管理員變更。", + "Email address changed for %s" : "%s 的email地址已變更。", + "The new email address is %s" : "新的email地址為 %s", + "Your username is: %s" : "你的使用者名稱為: %s", + "Set your password" : "設定您的密碼", + "Go to %s" : "前往 %s", + "Install Client" : "安裝使用端", "Your %s account was created" : "您的 %s 帳號已經建立", + "Password confirmation is required" : "要求密碼確認", "Couldn't remove app." : "無法移除應用程式", "Couldn't update app." : "無法更新應用程式", + "Are you really sure you want add {domain} as trusted domain?" : "您確定要新增 {domain} 為信任的網域?", "Add trusted domain" : "新增信任的網域", "Migration in progress. Please wait until the migration is finished" : "資料搬移中,請耐心等候直到資料搬移結束", "Migration started …" : "開始遷移…", "Not saved" : "未儲存", + "Sending…" : "傳送中…", "Email sent" : "Email 已寄出", "Official" : "官方", "All" : "所有", "Update to %s" : "更新到 %s", + "_You have %n app update pending_::_You have %n app updates pending_" : ["%n 個應用程式尚未更新"], "No apps found for your version" : "沒有找到適合您的版本的應用程式", "The app will be downloaded from the app store" : "將會從應用程式商店下載這個應用程式", "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "審查通過的應用程式經由可信任的開發人員所設計,並且經過一連串的安全測試,他們在開放的程式庫中維護這些應用程式,而且確保這些應用程式能穩定運作", "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "這個新應用程式並沒有經過安全檢測,可能會是不穩定的,如果您要安裝的話,風險自行負責。", + "Disabling app …" : "停用應用程式中 ...", "Error while disabling app" : "停用應用程式錯誤", "Disable" : "停用", "Enable" : "啟用", + "Enabling app …" : "啟動中...", "Error while enabling app" : "啟用應用程式錯誤", + "Error: This app can not be enabled because it makes the server unstable" : "錯誤:此應用程序無法啟用,因為它使伺服器不穩定", + "Error: Could not disable broken app" : "錯誤: 無法啟用已損毀的應用", + "Error while disabling broken app" : "關閉損毀的應用時發生錯誤", "Updating...." : "更新中…", "Error while updating app" : "更新應用程式錯誤", "Updated" : "已更新", + "Removing …" : "移除中...", + "Error while removing app" : "移除應用程式錯誤", + "Remove" : "移除", "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "這個應用程式已啟用但是需要更新,您將會在 5 秒後被引導至更新頁面", "App update" : "應用程式更新", "Approved" : "審查通過", "Experimental" : "實驗性質", + "No apps found for {query}" : "沒有符合 {query} 的應用程式", + "Enable all" : "全部啟用", + "Allow filesystem access" : "允許檔案系統的存取", "Disconnect" : "中斷連線", + "Revoke" : "撤消", "Internet Explorer" : "Internet Explorer", "Edge" : "Edge", "Firefox" : "Firefox", + "Google Chrome" : "Google Chrome", + "Safari" : "Safari", "Google Chrome for Android" : "Google Chrome for Android", + "iPhone iOS" : "iPhone iOS", + "iPad iOS" : "iPad iOS", "iOS Client" : "iOS 客戶端", "Android Client" : "Android 客戶端", "Sync client - {os}" : "同步客戶端 - {os}", "This session" : "目前的工作階段", + "Copy" : "複製", "Copied!" : "已複製", "Not supported!" : "不支援!", "Press ⌘-C to copy." : "按下 ⌘-C 來複製", "Press Ctrl-C to copy." : "按下 Ctrl-C 來複製", + "Error while creating device token" : "建立裝置token時發生錯誤", + "Error while deleting the token" : "刪除token時發生錯誤", "An error occurred. Please upload an ASCII-encoded PEM certificate." : "發生錯誤,請您上傳 ASCII 編碼的 PEM 憑證", "Valid until {date}" : "{date} 前有效", "Delete" : "刪除", + "Local" : "本地", + "Private" : "私人的", + "Only visible to local users" : "僅本地用戶可見", + "Only visible to you" : "僅你可見", + "Contacts" : "聯絡人", + "Visible to local users and to trusted servers" : "僅本地用戶與信任伺服器可見", + "Public" : "公開", "Select a profile picture" : "選擇大頭貼", "Very weak password" : "密碼強度非常弱", "Weak password" : "密碼強度弱", @@ -80,8 +148,12 @@ OC.L10N.register( "A valid group name must be provided" : "必須提供一個有效的群組名稱", "deleted {groupName}" : "刪除 {groupName}", "undo" : "復原", + "{size} used" : "{size} 已使用", "never" : "永不", "deleted {userName}" : "刪除 {userName}", + "Add group" : "新增群組", + "no group" : "沒有群組", + "Password successfully changed" : "成功變更密碼", "Changing the password will result in data loss, because data recovery is not available for this user" : "更改密碼會造成資料遺失,因為資料復原的功能無法在這個使用者使用", "A valid username must be provided" : "必須提供一個有效的用戶名", "A valid password must be provided" : "一定要提供一個有效的密碼", diff --git a/settings/l10n/zh_TW.json b/settings/l10n/zh_TW.json index 1acab7670b4..2443afab52a 100644 --- a/settings/l10n/zh_TW.json +++ b/settings/l10n/zh_TW.json @@ -1,4 +1,18 @@ { "translations": { + "{actor} changed your password" : "{actor} 變更了您的密碼", + "You changed your password" : "您已變更您的密碼", + "Your password was reset by an administrator" : "您的密碼已被管理員重設", + "{actor} changed your email address" : "{actor} 變更了您的電子郵件地址", + "You changed your email address" : "您已更改您的電子郵件地址", + "Your email address was changed by an administrator" : "您的電子郵件已被管理員變更", + "Security" : "安全性", + "You successfully logged in using two-factor authentication (%1$s)" : "你已成功使用兩步驟驗證進行登入 (%1$s)", + "A login attempt using two-factor authentication failed (%1$s)" : "使用兩步驟驗證登入失敗 (%1$s)", + "Your <strong>password</strong> or <strong>email</strong> was modified" : "你的 <strong>密碼</strong> 或 <strong>email</strong> 已更動。", + "Your apps" : "您的應用程式", + "Enabled apps" : "已啓用應用程式", + "Disabled apps" : "已停用應用程式", + "App bundles" : "應用程式套裝", "Wrong password" : "密碼錯誤", "Saved" : "已儲存", "No user supplied" : "未提供使用者", @@ -13,60 +27,114 @@ "Group already exists." : "群組已存在", "Unable to add group." : "無法新增群組", "Unable to delete group." : "無法刪除群組", + "Invalid SMTP password." : "無效的 SMTP 密碼", + "Well done, %s!" : "太棒了, %s!", + "If you received this email, the email configuration seems to be correct." : "如果你收到這封email,代表email設定是正確的。", + "Email setting test" : "測試郵件設定", + "Email could not be sent. Check your mail server log" : "郵件無法寄出,請查閱mail伺服器記錄檔", "A problem occurred while sending the email. Please revise your settings. (Error: %s)" : "寄出郵件時發生問題,請檢查您的設定(錯誤訊息:%s)", "You need to set your user email before being able to send test emails." : "在寄出測試郵件前您需要設定信箱位址", "Invalid mail address" : "無效的 email 地址", + "No valid group selected" : "無效的群組", "A user with that name already exists." : "同名的使用者已經存在", "Unable to create user." : "無法建立使用者", "Unable to delete user." : "無法移除使用者", + "Error while enabling user." : "啟用用戶時發生錯誤", + "Error while disabling user." : "停用用戶時發生錯誤", + "Settings saved" : "設定已存檔", "Unable to change full name" : "無法變更全名", + "Unable to change email address" : "無法變更email地址", "Your full name has been changed." : "您的全名已變更", "Forbidden" : "存取被拒", "Invalid user" : "無效的使用者", "Unable to change mail address" : "無法更改 email 地址", "Email saved" : "Email 已儲存", + "Your password on %s was changed." : "你的密碼在 %s 已變更。", + "Your password on %s was reset by an administrator." : "您的密碼在 %s 已被管理員重設。", + "Password changed for %s" : "%s 的密碼已變更。", + "If you did not request this, please contact an administrator." : "如果你未發送此請求 ,請聯絡系統管理員。", + "Password for %1$s changed on %2$s" : "%1$s 的密碼已在 %2$s 變更。", + "%1$s changed your email address on %2$s." : "%1$s 更改你的 email 地址在 %2$s 時。", + "Your email address on %s was changed." : "你的email地址在 %s 已變更。", + "Your email address on %s was changed by an administrator." : "你的email地址在 %s 已被管理員變更。", + "Email address changed for %s" : "%s 的email地址已變更。", + "The new email address is %s" : "新的email地址為 %s", + "Your username is: %s" : "你的使用者名稱為: %s", + "Set your password" : "設定您的密碼", + "Go to %s" : "前往 %s", + "Install Client" : "安裝使用端", "Your %s account was created" : "您的 %s 帳號已經建立", + "Password confirmation is required" : "要求密碼確認", "Couldn't remove app." : "無法移除應用程式", "Couldn't update app." : "無法更新應用程式", + "Are you really sure you want add {domain} as trusted domain?" : "您確定要新增 {domain} 為信任的網域?", "Add trusted domain" : "新增信任的網域", "Migration in progress. Please wait until the migration is finished" : "資料搬移中,請耐心等候直到資料搬移結束", "Migration started …" : "開始遷移…", "Not saved" : "未儲存", + "Sending…" : "傳送中…", "Email sent" : "Email 已寄出", "Official" : "官方", "All" : "所有", "Update to %s" : "更新到 %s", + "_You have %n app update pending_::_You have %n app updates pending_" : ["%n 個應用程式尚未更新"], "No apps found for your version" : "沒有找到適合您的版本的應用程式", "The app will be downloaded from the app store" : "將會從應用程式商店下載這個應用程式", "Approved apps are developed by trusted developers and have passed a cursory security check. They are actively maintained in an open code repository and their maintainers deem them to be stable for casual to normal use." : "審查通過的應用程式經由可信任的開發人員所設計,並且經過一連串的安全測試,他們在開放的程式庫中維護這些應用程式,而且確保這些應用程式能穩定運作", "This app is not checked for security issues and is new or known to be unstable. Install at your own risk." : "這個新應用程式並沒有經過安全檢測,可能會是不穩定的,如果您要安裝的話,風險自行負責。", + "Disabling app …" : "停用應用程式中 ...", "Error while disabling app" : "停用應用程式錯誤", "Disable" : "停用", "Enable" : "啟用", + "Enabling app …" : "啟動中...", "Error while enabling app" : "啟用應用程式錯誤", + "Error: This app can not be enabled because it makes the server unstable" : "錯誤:此應用程序無法啟用,因為它使伺服器不穩定", + "Error: Could not disable broken app" : "錯誤: 無法啟用已損毀的應用", + "Error while disabling broken app" : "關閉損毀的應用時發生錯誤", "Updating...." : "更新中…", "Error while updating app" : "更新應用程式錯誤", "Updated" : "已更新", + "Removing …" : "移除中...", + "Error while removing app" : "移除應用程式錯誤", + "Remove" : "移除", "The app has been enabled but needs to be updated. You will be redirected to the update page in 5 seconds." : "這個應用程式已啟用但是需要更新,您將會在 5 秒後被引導至更新頁面", "App update" : "應用程式更新", "Approved" : "審查通過", "Experimental" : "實驗性質", + "No apps found for {query}" : "沒有符合 {query} 的應用程式", + "Enable all" : "全部啟用", + "Allow filesystem access" : "允許檔案系統的存取", "Disconnect" : "中斷連線", + "Revoke" : "撤消", "Internet Explorer" : "Internet Explorer", "Edge" : "Edge", "Firefox" : "Firefox", + "Google Chrome" : "Google Chrome", + "Safari" : "Safari", "Google Chrome for Android" : "Google Chrome for Android", + "iPhone iOS" : "iPhone iOS", + "iPad iOS" : "iPad iOS", "iOS Client" : "iOS 客戶端", "Android Client" : "Android 客戶端", "Sync client - {os}" : "同步客戶端 - {os}", "This session" : "目前的工作階段", + "Copy" : "複製", "Copied!" : "已複製", "Not supported!" : "不支援!", "Press ⌘-C to copy." : "按下 ⌘-C 來複製", "Press Ctrl-C to copy." : "按下 Ctrl-C 來複製", + "Error while creating device token" : "建立裝置token時發生錯誤", + "Error while deleting the token" : "刪除token時發生錯誤", "An error occurred. Please upload an ASCII-encoded PEM certificate." : "發生錯誤,請您上傳 ASCII 編碼的 PEM 憑證", "Valid until {date}" : "{date} 前有效", "Delete" : "刪除", + "Local" : "本地", + "Private" : "私人的", + "Only visible to local users" : "僅本地用戶可見", + "Only visible to you" : "僅你可見", + "Contacts" : "聯絡人", + "Visible to local users and to trusted servers" : "僅本地用戶與信任伺服器可見", + "Public" : "公開", "Select a profile picture" : "選擇大頭貼", "Very weak password" : "密碼強度非常弱", "Weak password" : "密碼強度弱", @@ -78,8 +146,12 @@ "A valid group name must be provided" : "必須提供一個有效的群組名稱", "deleted {groupName}" : "刪除 {groupName}", "undo" : "復原", + "{size} used" : "{size} 已使用", "never" : "永不", "deleted {userName}" : "刪除 {userName}", + "Add group" : "新增群組", + "no group" : "沒有群組", + "Password successfully changed" : "成功變更密碼", "Changing the password will result in data loss, because data recovery is not available for this user" : "更改密碼會造成資料遺失,因為資料復原的功能無法在這個使用者使用", "A valid username must be provided" : "必須提供一個有效的用戶名", "A valid password must be provided" : "一定要提供一個有效的密碼", diff --git a/settings/templates/settings/admin/server.php b/settings/templates/settings/admin/server.php index b32514c8b24..407badcff41 100644 --- a/settings/templates/settings/admin/server.php +++ b/settings/templates/settings/admin/server.php @@ -28,7 +28,7 @@ <div id="security-warning" class="section"> <h2><?php p($l->t('Security & setup warnings'));?></h2> - <p class="settings-hint"><?php p($l->t('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.'));?></p> + <p class="settings-hint"><?php p($l->t('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 & Tricks section and the documentation for more information.'));?></p> <ul> <?php // is php setup properly to query system environment variables like getenv('PATH') diff --git a/settings/users.php b/settings/users.php index 4d214bf9502..8dedb703ada 100644 --- a/settings/users.php +++ b/settings/users.php @@ -73,7 +73,7 @@ $groupsInfo->setSorting($sortGroupsBy); list($adminGroup, $groups) = $groupsInfo->get(); $recoveryAdminEnabled = OC_App::isEnabled('encryption') && - $config->getAppValue( 'encryption', 'recoveryAdminEnabled', null ); + $config->getAppValue( 'encryption', 'recoveryAdminEnabled', '0'); if($isAdmin) { $subAdmins = \OC::$server->getGroupManager()->getSubAdmin()->getAllSubAdmins(); |