diff options
Diffstat (limited to 'core')
52 files changed, 775 insertions, 216 deletions
diff --git a/core/command/app/disable.php b/core/command/app/disable.php new file mode 100644 index 00000000000..dcdee92349e --- /dev/null +++ b/core/command/app/disable.php @@ -0,0 +1,37 @@ +<?php +/** + * Copyright (c) 2013 Robin Appelman <icewind@owncloud.com> + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Core\Command\App; + +use Symfony\Component\Console\Command\Command; +use Symfony\Component\Console\Input\InputArgument; +use Symfony\Component\Console\Input\InputInterface; +use Symfony\Component\Console\Output\OutputInterface; + +class Disable extends Command { + protected function configure() { + $this + ->setName('app:disable') + ->setDescription('disable an app') + ->addArgument( + 'app-id', + InputArgument::REQUIRED, + 'disable the specified app' + ); + } + + protected function execute(InputInterface $input, OutputInterface $output) { + $appId = $input->getArgument('app-id'); + if (\OC_App::isEnabled($appId)) { + \OC_App::disable($appId); + $output->writeln($appId . ' disabled'); + } else { + $output->writeln('No such app enabled: ' . $appId); + } + } +} diff --git a/core/command/app/enable.php b/core/command/app/enable.php new file mode 100644 index 00000000000..f08546602ee --- /dev/null +++ b/core/command/app/enable.php @@ -0,0 +1,39 @@ +<?php +/** + * Copyright (c) 2013 Robin Appelman <icewind@owncloud.com> + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Core\Command\App; + +use Symfony\Component\Console\Command\Command; +use Symfony\Component\Console\Input\InputArgument; +use Symfony\Component\Console\Input\InputInterface; +use Symfony\Component\Console\Output\OutputInterface; + +class Enable extends Command { + protected function configure() { + $this + ->setName('app:enable') + ->setDescription('enable an app') + ->addArgument( + 'app-id', + InputArgument::REQUIRED, + 'enable the specified app' + ); + } + + protected function execute(InputInterface $input, OutputInterface $output) { + $appId = $input->getArgument('app-id'); + if (\OC_App::isEnabled($appId)) { + $output->writeln($appId . ' is already enabled'); + } else if (!\OC_App::getAppPath($appId)) { + $output->writeln($appId . ' not found'); + } else { + \OC_App::enable($appId); + $output->writeln($appId . ' enabled'); + } + } +} diff --git a/core/command/app/listapps.php b/core/command/app/listapps.php new file mode 100644 index 00000000000..dc471c5453a --- /dev/null +++ b/core/command/app/listapps.php @@ -0,0 +1,47 @@ +<?php +/** + * Copyright (c) 2013 Robin Appelman <icewind@owncloud.com> + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Core\Command\App; + +use Symfony\Component\Console\Command\Command; +use Symfony\Component\Console\Input\InputInterface; +use Symfony\Component\Console\Output\OutputInterface; + +class ListApps extends Command { + protected function configure() { + $this + ->setName('app:list') + ->setDescription('List all available apps'); + } + + protected function execute(InputInterface $input, OutputInterface $output) { + $apps = \OC_App::getAllApps(); + $enabledApps = array(); + $disabledApps = array(); + + //sort enabled apps above disabled apps + foreach ($apps as $app) { + if (\OC_App::isEnabled($app)) { + $enabledApps[] = $app; + } else { + $disabledApps[] = $app; + } + } + + sort($enabledApps); + sort($disabledApps); + $output->writeln('Enabled:'); + foreach ($enabledApps as $app) { + $output->writeln(' - ' . $app); + } + $output->writeln('Disabled:'); + foreach ($disabledApps as $app) { + $output->writeln(' - ' . $app); + } + } +} diff --git a/core/command/maintenance/repair.php b/core/command/maintenance/repair.php new file mode 100644 index 00000000000..c5ef0c55cc0 --- /dev/null +++ b/core/command/maintenance/repair.php @@ -0,0 +1,41 @@ +<?php +/** + * Copyright (c) 2013 Robin Appelman <icewind@owncloud.com> + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Core\Command\Maintenance; + +use Symfony\Component\Console\Command\Command; +use Symfony\Component\Console\Input\InputInterface; +use Symfony\Component\Console\Output\OutputInterface; + +class Repair extends Command { + /** + * @var \OC\Repair $repair + */ + protected $repair; + + /** + * @param \OC\Repair $repair + */ + public function __construct($repair) { + $this->repair = $repair; + parent::__construct(); + } + + protected function configure() { + $this + ->setName('maintenance:repair') + ->setDescription('set single user mode'); + } + + protected function execute(InputInterface $input, OutputInterface $output) { + $this->repair->listen('\OC\Repair', 'step', function ($description) use ($output) { + $output->writeln(' - ' . $description); + }); + $this->repair->run(); + } +} diff --git a/core/command/maintenance/singleuser.php b/core/command/maintenance/singleuser.php new file mode 100644 index 00000000000..f9a1bbcaca6 --- /dev/null +++ b/core/command/maintenance/singleuser.php @@ -0,0 +1,51 @@ +<?php +/** + * Copyright (c) 2013 Robin Appelman <icewind@owncloud.com> + * This file is licensed under the Affero General Public License version 3 or + * later. + * See the COPYING-README file. + */ + +namespace OC\Core\Command\Maintenance; + +use Symfony\Component\Console\Command\Command; +use Symfony\Component\Console\Input\InputInterface; +use Symfony\Component\Console\Input\InputOption; +use Symfony\Component\Console\Output\OutputInterface; + +class SingleUser extends Command { + + protected function configure() { + $this + ->setName('maintenance:singleuser') + ->setDescription('set single user mode') + ->addOption( + 'on', + null, + InputOption::VALUE_NONE, + 'enable single user mode' + ) + ->addOption( + 'off', + null, + InputOption::VALUE_NONE, + 'disable single user mode' + ); + } + + protected function execute(InputInterface $input, OutputInterface $output) { + if ($input->getOption('on')) { + \OC_Config::setValue('singleuser', true); + $output->writeln('Single user mode enabled'); + } elseif ($input->getOption('off')) { + \OC_Config::setValue('singleuser', false); + $output->writeln('Single user mode disabled'); + } else { + if (\OC_Config::getValue('singleuser', false)) { + $output->writeln('Single user mode is currently enabled'); + } else { + $output->writeln('Single user mode is currently disabled'); + } + } + } +} diff --git a/core/css/fixes.css b/core/css/fixes.css index 5f2cb6049fb..bec002b96b3 100644 --- a/core/css/fixes.css +++ b/core/css/fixes.css @@ -53,3 +53,13 @@ .ie8 fieldset .warning, .ie8 #body-login .error { background-color: #1B314D; } + +/* in IE9 the nav bar on the left side is too narrow and leave a white area - original width is 80px */ +.ie9 #navigation { + width: 100px; +} + +/* IE8 isn't able to display transparent background. So it is specified using a gradient */ +.ie8 #nojavascript { + filter: progid:DXImageTransform.Microsoft.gradient(GradientType=0,startColorstr='#4c320000', endColorstr='#4c320000'); /* IE */ +} diff --git a/core/css/styles.css b/core/css/styles.css index bcaf0ea1d93..df014567087 100644 --- a/core/css/styles.css +++ b/core/css/styles.css @@ -46,6 +46,34 @@ body { background:#fefefe; font:normal .8em/1.6em "Helvetica Neue",Helvetica,Ari opacity: 1; } +#nojavascript { + position: absolute; + top: 0; + bottom: 0; + z-index: 999; + width: 100%; + text-align: center; + background-color: rgba(50,0,0,0.5); + color: white; + text-shadow: 0px 0px 5px black; + line-height: 125%; + font-size: x-large; +} +#nojavascript div { + width: 50%; + top: 40%; + position: absolute; + left: 50%; + margin-left: -25%; +} +#nojavascript a { + color: #ccc; + text-decoration: underline; +} +#nojavascript a:hover { + color: #aaa; +} + /* INPUTS */ input[type="text"], input[type="password"], @@ -105,8 +133,8 @@ textarea:hover, textarea:focus, textarea:active { input[type="checkbox"] { margin:0; padding:0; height:auto; width:auto; } input[type="checkbox"]:hover+label, input[type="checkbox"]:focus+label { color:#111 !important; } input[type="time"] { - width: 110px; - height: 30px; + width: initial; + height: 31px; -moz-box-sizing: border-box; box-sizing: border-box; } #quota { @@ -201,14 +229,21 @@ input[type="submit"].enabled { -webkit-box-sizing: border-box; box-sizing: border-box; position: fixed; + right: 0; + left: 0; height: 44px; width: 100%; - padding-right: 75px; + padding: 0; margin: 0; background: #eee; border-bottom: 1px solid #e7e7e7; z-index: 50; } +/* account for shift of controls bar due to app navigation */ +#body-user #controls, +#body-settings #controls { + padding-left: 80px; +} #controls .button, #controls button, #controls input[type='submit'], @@ -283,6 +318,11 @@ input[type="submit"].enabled { opacity: .6; } +#body-login p#message img { + vertical-align: middle; + padding: 5px; +} + #body-login div.buttons { text-align:center; } #body-login p.info { width: 22em; @@ -481,6 +521,10 @@ label.infield { cursor:text !important; top:1.05em; left:.85em; } color: #ccc; } +#body-login .update img.float-spinner { + float: left; +} + #body-user .warning, #body-settings .warning { margin-top: 8px; padding: 5px; @@ -562,19 +606,19 @@ label.infield { cursor:text !important; top:1.05em; left:.85em; } /* NAVIGATION ------------------------------------------------------------- */ #navigation { position: fixed; - float: left; + top: 0; + bottom: 0; + left: 0; width: 80px; - padding-top: 3.5em; + margin-top:45px; z-index: 75; - height: 100%; - background:#383c43 url('../img/noise.png') repeat; - overflow:hidden; box-sizing:border-box; -moz-box-sizing:border-box; + background: #383c43 url('../img/noise.png') repeat; + overflow-y: auto; + overflow-x: hidden; + -moz-box-sizing:border-box; box-sizing:border-box; /* prevent ugly selection effect on accidental selection */ -webkit-user-select: none; -moz-user-select: none; -ms-user-select: none; user-select: none; } -#navigation:hover { - overflow-y: auto; /* show scrollbar only on hover */ -} #apps { height: 100%; } @@ -586,6 +630,9 @@ label.infield { cursor:text !important; top:1.05em; left:.85em; } color: #fff; white-space:nowrap; overflow:hidden; text-overflow:ellipsis; /* ellipsize long app names */ padding-bottom: 10px; + /* prevent shift caused by scrollbar */ + padding-left: 8px; + width: 64px; } /* icon opacity and hover effect */ @@ -627,7 +674,7 @@ label.infield { cursor:text !important; top:1.05em; left:.85em; } margin: 0 auto -72px; } #apps-management, #navigation .push { - height: 70px; + height: 72px; } #apps-management { -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=60)"; diff --git a/core/js/js.js b/core/js/js.js index f5991cfc9dd..d9b3b54e0a1 100644 --- a/core/js/js.js +++ b/core/js/js.js @@ -115,7 +115,7 @@ t.cache = {}; */ function n(app, text_singular, text_plural, count, vars) { initL10N(app); - var identifier = '_' + text_singular + '__' + text_plural + '_'; + var identifier = '_' + text_singular + '_::_' + text_plural + '_'; if( typeof( t.cache[app][identifier] ) !== 'undefined' ){ var translation = t.cache[app][identifier]; if ($.isArray(translation)) { diff --git a/core/js/multiselect.js b/core/js/multiselect.js index 2210df3bc7a..02699636a20 100644 --- a/core/js/multiselect.js +++ b/core/js/multiselect.js @@ -27,6 +27,7 @@ 'onuncheck':false, 'minWidth': 'default;' }; + var slideDuration = 200; $(this).attr('data-msid', multiSelectId); $.extend(settings,options); $.each(this.children(),function(i,option) { @@ -68,12 +69,12 @@ var button=$(this); if(button.parent().children('ul').length>0) { if(self.menuDirection === 'down') { - button.parent().children('ul').slideUp(400,function() { + button.parent().children('ul').slideUp(slideDuration,function() { button.parent().children('ul').remove(); button.removeClass('active down'); }); } else { - button.parent().children('ul').fadeOut(400,function() { + button.parent().children('ul').fadeOut(slideDuration,function() { button.parent().children('ul').remove(); button.removeClass('active up'); }); @@ -81,7 +82,7 @@ return; } var lists=$('ul.multiselectoptions'); - lists.slideUp(400,function(){ + lists.slideUp(slideDuration,function(){ lists.remove(); $('div.multiselect').removeClass('active'); button.addClass('active'); @@ -276,7 +277,7 @@ }); list.addClass('down'); button.addClass('down'); - list.slideDown(); + list.slideDown(slideDuration); } else { list.css('max-height', $(document).height()-($(document).height()-(pos.top)+50)+'px'); list.css({ @@ -299,12 +300,12 @@ if(!button.parent().data('preventHide')) { // How can I save the effect in a var? if(self.menuDirection === 'down') { - button.parent().children('ul').slideUp(400,function() { + button.parent().children('ul').slideUp(slideDuration,function() { button.parent().children('ul').remove(); button.removeClass('active down'); }); } else { - button.parent().children('ul').fadeOut(400,function() { + button.parent().children('ul').fadeOut(slideDuration,function() { button.parent().children('ul').remove(); button.removeClass('active up'); }); diff --git a/core/js/share.js b/core/js/share.js index e2911ae2ff3..10ab5f47f27 100644 --- a/core/js/share.js +++ b/core/js/share.js @@ -461,7 +461,7 @@ OC.Share={ if (password != null) { $('#linkPass').show('blind'); $('#showPassword').attr('checked', true); - $('#linkPassText').attr('placeholder', t('core', 'Password protected')); + $('#linkPassText').attr('placeholder', '**********'); } $('#expiration').show(); $('#emailPrivateLink #email').show(); diff --git a/core/js/update.js b/core/js/update.js index 2c28e72f7cd..b1b7f6e37e8 100644 --- a/core/js/update.js +++ b/core/js/update.js @@ -5,7 +5,7 @@ $(document).ready(function () { }); updateEventSource.listen('error', function(message) { $('<span>').addClass('error').append(message).append('<br />').appendTo($('.update')); - message = 'Please reload the page.'; + message = t('core', 'Please reload the page.'); $('<span>').addClass('error').append(message).append('<br />').appendTo($('.update')); updateEventSource.close(); }); diff --git a/core/l10n/az.php b/core/l10n/az.php new file mode 100644 index 00000000000..dbedde7e637 --- /dev/null +++ b/core/l10n/az.php @@ -0,0 +1,9 @@ +<?php +$TRANSLATIONS = array( +"_%n minute ago_::_%n minutes ago_" => array(""), +"_%n hour ago_::_%n hours ago_" => array(""), +"_%n day ago_::_%n days ago_" => array(""), +"_%n month ago_::_%n months ago_" => array(""), +"_{count} file conflict_::_{count} file conflicts_" => array("") +); +$PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/ca.php b/core/l10n/ca.php index f7734b0d0e1..d24cb680653 100644 --- a/core/l10n/ca.php +++ b/core/l10n/ca.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Edit tags" => "Edita etiquetes", "Error loading dialog template: {error}" => "Error en carregar la plantilla de diàleg: {error}", "No tags selected for deletion." => "No heu seleccionat les etiquetes a eliminar.", +"Please reload the page." => "Carregueu la pàgina de nou.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "L'actualització ha estat incorrecte. Comuniqueu aquest error a <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">la comunitat ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "L'actualització ha estat correcte. Ara us redirigim a ownCloud.", "%s password reset" => "restableix la contrasenya %s", @@ -132,7 +133,7 @@ $TRANSLATIONS = array( "Access forbidden" => "Accés prohibit", "Cloud not found" => "No s'ha trobat el núvol", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Ei,\n\nnomés fer-te saber que %s ha compartit %s amb tu.\nMira-ho a: %s\n\n", -"The share will expire on %s.\n\n" => "El compartit té venciment a %s.\n\n", +"The share will expire on %s." => "La compartició venç el %s.", "Cheers!" => "Salut!", "Security Warning" => "Avís de seguretat", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "La versió de PHP que useu és vulnerable a l'atac per NULL Byte (CVE-2006-7243)", @@ -165,11 +166,12 @@ $TRANSLATIONS = array( "Log in" => "Inici de sessió", "Alternative Logins" => "Acreditacions alternatives", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Ei,<br><br>només fer-te saber que %s ha compartit »%s« amb tu.<br><a href=\"%s\">Mira-ho!</a><br><br>", -"The share will expire on %s.<br><br>" => "El compartit té venciment a %s.<br><br>", +"This ownCloud instance is currently in single user mode." => "La instància ownCloud està en mode d'usuari únic.", +"This means only administrators can use the instance." => "Això significa que només els administradors poden usar la instància.", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Contacteu amb l'administrador del sistema si aquest missatge persisteix o apareix inesperadament.", +"Thank you for your patience." => "Gràcies per la paciència.", "Updating ownCloud to version %s, this may take a while." => "S'està actualitzant ownCloud a la versió %s, pot trigar una estona.", "This ownCloud instance is currently being updated, which may take a while." => "Aquesta instància d'ownCloud s'està actualitzant i podria trigar una estona.", -"Please reload this page after a short time to continue using ownCloud." => "Carregueu de nou aquesta pàgina d'aquí a poc temps per continuar usant ownCloud.", -"Contact your system administrator if this message persists or appeared unexpectedly." => "Contacteu amb l'administrador del sistema si aquest missatge persisteix o apareix inesperadament.", -"Thank you for your patience." => "Gràcies per la paciència." +"Please reload this page after a short time to continue using ownCloud." => "Carregueu de nou aquesta pàgina d'aquí a poc temps per continuar usant ownCloud." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/cs_CZ.php b/core/l10n/cs_CZ.php index f2bbec30d62..64ca7fd926f 100644 --- a/core/l10n/cs_CZ.php +++ b/core/l10n/cs_CZ.php @@ -53,7 +53,7 @@ $TRANSLATIONS = array( "_{count} file conflict_::_{count} file conflicts_" => array("{count} souborový konflikt","{count} souborové konflikty","{count} souborových konfliktů"), "One file conflict" => "Jeden konflikt souboru", "Which files do you want to keep?" => "Které soubory chcete ponechat?", -"If you select both versions, the copied file will have a number added to its name." => "Pokud zvolíte obě verze, zkopírovaný soubor bude mít název doplněn o číslo.", +"If you select both versions, the copied file will have a number added to its name." => "Pokud zvolíte obě verze, zkopírovaný soubor bude mít název doplněný o číslo.", "Cancel" => "Zrušit", "Continue" => "Pokračovat", "(all selected)" => "(vybráno vše)", @@ -67,6 +67,8 @@ $TRANSLATIONS = array( "Error while changing permissions" => "Chyba při změně oprávnění", "Shared with you and the group {group} by {owner}" => "S Vámi a skupinou {group} sdílí {owner}", "Shared with you by {owner}" => "S Vámi sdílí {owner}", +"Share with user or group …" => "Sdílet s uživatelem nebo skupinou", +"Share link" => "Sdílet odkaz", "Password protect" => "Chránit heslem", "Password" => "Heslo", "Allow Public Upload" => "Povolit veřejné nahrávání", @@ -80,6 +82,7 @@ $TRANSLATIONS = array( "Resharing is not allowed" => "Sdílení již sdílené položky není povoleno", "Shared in {item} with {user}" => "Sdíleno v {item} s {user}", "Unshare" => "Zrušit sdílení", +"notify by email" => "upozornit e-mailem", "can edit" => "lze upravovat", "access control" => "řízení přístupu", "create" => "vytvořit", @@ -99,6 +102,7 @@ $TRANSLATIONS = array( "Edit tags" => "Editovat štítky", "Error loading dialog template: {error}" => "Chyba při načítání šablony dialogu: {error}", "No tags selected for deletion." => "Žádné štítky nebyly vybrány ke smazání.", +"Please reload the page." => "Načtěte stránku znovu, prosím.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Aktualizace neproběhla úspěšně. Nahlaste prosím problém do <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">evidence chyb ownCloud</a>", "The update was successful. Redirecting you to ownCloud now." => "Aktualizace byla úspěšná. Přesměrovávám na ownCloud.", "%s password reset" => "reset hesla %s", @@ -129,7 +133,7 @@ $TRANSLATIONS = array( "Access forbidden" => "Přístup zakázán", "Cloud not found" => "Cloud nebyl nalezen", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hej ty tam,\n\njen ti chci dát vědět, že %s sdílel %s s tebou.\nZobraz si to: %s\n\n", -"The share will expire on %s.\n\n" => "Sdílení expiruje %s.\n\n", +"The share will expire on %s." => "Sdílení vyprší %s.", "Cheers!" => "Ať slouží!", "Security Warning" => "Bezpečnostní upozornění", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Verze vašeho PHP je napadnutelná pomocí techniky \"NULL Byte\" (CVE-2006-7243)", @@ -162,7 +166,12 @@ $TRANSLATIONS = array( "Log in" => "Přihlásit", "Alternative Logins" => "Alternativní přihlášení", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Hej ty tam,<br><br>jen ti chci dát vědět, že %s sdílel »%s« s tebou.<br><a href=\"%s\">Zobrazit!</a><br><br>", -"The share will expire on %s.<br><br>" => "Sdílení expiruje %s.<br><br>", -"Updating ownCloud to version %s, this may take a while." => "Aktualizuji ownCloud na verzi %s, bude to chvíli trvat." +"This ownCloud instance is currently in single user mode." => "Tato instalace ownCloudu je momentálně v jednouživatelském módu.", +"This means only administrators can use the instance." => "To znamená, že pouze správci systému mohou aplikaci používat.", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Kontaktujte, prosím, správce systému, pokud se tato zpráva objevuje opakovaně nebo nečekaně.", +"Thank you for your patience." => "Děkuji za trpělivost.", +"Updating ownCloud to version %s, this may take a while." => "Aktualizuji ownCloud na verzi %s, bude to chvíli trvat.", +"This ownCloud instance is currently being updated, which may take a while." => "Tato instalace ownCloud je právě aktualizována, může to chvíli trvat.", +"Please reload this page after a short time to continue using ownCloud." => "Pro pokračování načtěte, prosím, stránku po chvíli znovu." ); $PLURAL_FORMS = "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"; diff --git a/core/l10n/da.php b/core/l10n/da.php index ff41ecb13f4..22be60bf03b 100644 --- a/core/l10n/da.php +++ b/core/l10n/da.php @@ -132,7 +132,6 @@ $TRANSLATIONS = array( "Access forbidden" => "Adgang forbudt", "Cloud not found" => "Sky ikke fundet", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hej med dig\n\nDette blot for at lade dig vide, at %s har delt %s med dig.\nSe det her: %s\n\n", -"The share will expire on %s.\n\n" => "Det delte link vil udløbe d. %s.⏎\n⏎\n", "Cheers!" => "Hej!", "Security Warning" => "Sikkerhedsadvarsel", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Din PHP-version er sårbar overfor et NULL Byte angreb (CVE-2006-7243)", @@ -165,11 +164,10 @@ $TRANSLATIONS = array( "Log in" => "Log ind", "Alternative Logins" => "Alternative logins", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Hej med dig,<br><br>Dette blot for at lade dig vide, at %s har delt \"%s\" med dig.<br><a href=\"%s\">Se det her!</a><br><br>Hej", -"The share will expire on %s.<br><br>" => "Det delte link vil udløbe d. %s.", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Kontakt systemadministratoren, hvis denne meddelelse fortsætter eller optrådte uventet.", +"Thank you for your patience." => "Tak for din tålmodighed.", "Updating ownCloud to version %s, this may take a while." => "Opdatere Owncloud til version %s, dette kan tage et stykke tid.", "This ownCloud instance is currently being updated, which may take a while." => "Opdatere Owncloud, dette kan tage et stykke tid.", -"Please reload this page after a short time to continue using ownCloud." => "Genindlæs denne side efter kort tid til at fortsætte med at bruge ownCloud.", -"Contact your system administrator if this message persists or appeared unexpectedly." => "Kontakt systemadministratoren, hvis denne meddelelse fortsætter eller optrådte uventet.", -"Thank you for your patience." => "Tak for din tålmodighed." +"Please reload this page after a short time to continue using ownCloud." => "Genindlæs denne side efter kort tid til at fortsætte med at bruge ownCloud." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/de.php b/core/l10n/de.php index 494764f97cd..9904aeb803c 100644 --- a/core/l10n/de.php +++ b/core/l10n/de.php @@ -1,6 +1,6 @@ <?php $TRANSLATIONS = array( -"%s shared »%s« with you" => "%s teilte »%s« mit Ihnen", +"%s shared »%s« with you" => "%s teilte »%s« mit Dir", "Couldn't send mail to following users: %s " => "Die E-Mail konnte nicht an folgende Benutzer gesendet werden: %s", "Turned on maintenance mode" => "Wartungsmodus eingeschaltet", "Turned off maintenance mode" => "Wartungsmodus ausgeschaltet", @@ -52,8 +52,8 @@ $TRANSLATIONS = array( "Error loading message template: {error}" => "Fehler beim Laden der Nachrichtenvorlage: {error}", "_{count} file conflict_::_{count} file conflicts_" => array("{count} Dateikonflikt","{count} Dateikonflikte"), "One file conflict" => "Ein Dateikonflikt", -"Which files do you want to keep?" => "Welche Dateien möchtest du behalten?", -"If you select both versions, the copied file will have a number added to its name." => "Wenn du beide Versionen auswählst, erhält die kopierte Datei eine Zahl am Ende des Dateinamens.", +"Which files do you want to keep?" => "Welche Dateien möchtest Du behalten?", +"If you select both versions, the copied file will have a number added to its name." => "Wenn Du beide Versionen auswählst, erhält die kopierte Datei eine Zahl am Ende des Dateinamens.", "Cancel" => "Abbrechen", "Continue" => "Fortsetzen", "(all selected)" => "(Alle ausgewählt)", @@ -96,12 +96,13 @@ $TRANSLATIONS = array( "Email sent" => "E-Mail wurde verschickt", "Warning" => "Warnung", "The object type is not specified." => "Der Objekttyp ist nicht angegeben.", -"Enter new" => "Unbekannter Fehler, bitte prüfe Deine Systemeinstellungen oder kontaktiere Deinen Administrator", +"Enter new" => "Neuen eingeben", "Delete" => "Löschen", "Add" => "Hinzufügen", "Edit tags" => "Schlagwörter bearbeiten", -"Error loading dialog template: {error}" => "Fehler beim Laden der Gesprächsvorlage: {error}", +"Error loading dialog template: {error}" => "Fehler beim Laden der Dialogvorlage: {error}", "No tags selected for deletion." => "Es wurden keine Schlagwörter zum Löschen ausgewählt.", +"Please reload the page." => "Bitte lade diese Seite neu.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Das Update ist fehlgeschlagen. Bitte melde dieses Problem an die <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud Community</a>.", "The update was successful. Redirecting you to ownCloud now." => "Das Update war erfolgreich. Du wirst nun zu ownCloud weitergeleitet.", "%s password reset" => "%s-Passwort zurücksetzen", @@ -110,8 +111,8 @@ $TRANSLATIONS = array( "Request failed!<br>Did you make sure your email/username was right?" => "Anfrage fehlgeschlagen!<br>Hast Du darauf geachtet, dass Deine E-Mail/Dein Benutzername korrekt war?", "You will receive a link to reset your password via Email." => "Du erhältst einen Link per E-Mail, um Dein Passwort zurückzusetzen.", "Username" => "Benutzername", -"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "Ihre Dateien sind verschlüsselt. Sollten Sie keinen Wiederherstellungschlüssel aktiviert haben, gibt es keine Möglichkeit an Ihre Daten zu kommen, wenn das Passwort zurückgesetzt wird. Falls Sie sich nicht sicher sind, was Sie tun sollen, kontaktieren Sie bitte Ihren Administrator, bevor Sie fortfahren. Wollen Sie wirklich fortfahren?", -"Yes, I really want to reset my password now" => "Ja, ich will mein Passwort jetzt wirklich zurücksetzen", +"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "Deine Dateien sind verschlüsselt. Solltest Du keinen Wiederherstellungschlüssel aktiviert haben, gibt es keine Möglichkeit an Deine Daten zu kommen, wenn das Passwort zurückgesetzt wird. Falls Du Dir nicht sicher bist, was Du tun sollst, kontaktiere bitte Deinen Administrator, bevor Du fortfährst. Willst Du wirklich fortfahren?", +"Yes, I really want to reset my password now" => "Ja, ich will mein Passwort jetzt zurücksetzen", "Reset" => "Zurücksetzen", "Your password was reset" => "Dein Passwort wurde zurückgesetzt.", "To login page" => "Zur Login-Seite", @@ -127,20 +128,20 @@ $TRANSLATIONS = array( "Error deleting tag(s)" => "Fehler beim Löschen des Schlagwortes bzw. der Schlagwörter", "Error tagging" => "Fehler beim Hinzufügen der Schlagwörter", "Error untagging" => "Fehler beim Entfernen der Schlagwörter", -"Error favoriting" => "Fehler beim Hinzufügen zu den Favoriten", +"Error favoriting" => "Fehler beim Favorisieren", "Error unfavoriting" => "Fehler beim Entfernen aus den Favoriten", "Access forbidden" => "Zugriff verboten", "Cloud not found" => "Cloud nicht gefunden", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hallo,\n\nich wollte Dich nur wissen lassen, dass %s %s mit Dir teilt.\nSchaue es Dir an: %s\n\n", -"The share will expire on %s.\n\n" => "Die Freigabe wird ablaufen am %s.\n\n", +"The share will expire on %s." => "Die Freigabe wird am %s ablaufen.", "Cheers!" => "Hallo!", "Security Warning" => "Sicherheitswarnung", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Deine PHP Version ist durch die NULL Byte Attacke (CVE-2006-7243) angreifbar", -"Please update your PHP installation to use %s securely." => "Bitte aktualisiere deine PHP-Installation um %s sicher nutzen zu können.", +"Please update your PHP installation to use %s securely." => "Bitte aktualisiere Deine PHP-Installation um %s sicher nutzen zu können.", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "Es ist kein sicherer Zufallszahlengenerator verfügbar, bitte aktiviere die PHP-Erweiterung für OpenSSL.", "Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "Ohne einen sicheren Zufallszahlengenerator sind Angreifer in der Lage die Tokens für das Zurücksetzen der Passwörter vorherzusehen und Konten zu übernehmen.", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." => "Dein Datenverzeichnis und Deine Dateien sind wahrscheinlich vom Internet aus erreichbar, weil die .htaccess-Datei nicht funktioniert.", -"For information how to properly configure your server, please see the <a href=\"%s\" target=\"_blank\">documentation</a>." => "Für Informationen, wie du deinen Server richtig konfigurierst lese bitte die <a href=\"%s\" target=\"_blank\">Dokumentation</a>.", +"For information how to properly configure your server, please see the <a href=\"%s\" target=\"_blank\">documentation</a>." => "Für Informationen, wie Du Deinen Server richtig konfigurierst, lies bitte die <a href=\"%s\" target=\"_blank\">Dokumentation</a>.", "Create an <strong>admin account</strong>" => "<strong>Administrator-Konto</strong> anlegen", "Advanced" => "Fortgeschritten", "Data folder" => "Datenverzeichnis", @@ -153,7 +154,8 @@ $TRANSLATIONS = array( "Database host" => "Datenbank-Host", "Finish setup" => "Installation abschließen", "Finishing …" => "Abschließen ...", -"%s is available. Get more information on how to update." => "%s ist verfügbar. Holen Sie weitere Informationen zu Aktualisierungen ein.", +"This application requires JavaScript to be enabled for correct operation. Please <a href=\"http://enable-javascript.com/\" target=\"_blank\">enable JavaScript</a> and re-load this interface." => "Diese Anwendung benötigt ein aktiviertes JavaScript zum korrekten Betrieb. Bitte <a href=\"http://enable-javascript.com/\" target=\"_blank\">aktiviere JavaScript</a> und lade diese Schnittstelle neu.", +"%s is available. Get more information on how to update." => "%s ist verfügbar. Hole weitere Informationen zu Aktualisierungen ein.", "Log out" => "Abmelden", "Automatic logon rejected!" => "Automatischer Login zurückgewiesen!", "If you did not change your password recently, your account may be compromised!" => "Wenn Du Dein Passwort nicht vor kurzem geändert hast, könnte Dein\nAccount kompromittiert sein!", @@ -164,12 +166,13 @@ $TRANSLATIONS = array( "remember" => "merken", "Log in" => "Einloggen", "Alternative Logins" => "Alternative Logins", -"Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Hallo,<br/><br/>wollte dich nur kurz informieren, dass %s gerade %s mit dir geteilt hat.<br/><a href=\"%s\">Schau es dir an.</a><br/><br/>", -"The share will expire on %s.<br><br>" => "Die Freigabe wird ablaufen am %s.<br><br>", +"Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Hallo,<br/><br/>wollte Dich nur kurz informieren, dass %s gerade %s mit Dir geteilt hat.<br/><a href=\"%s\">Schau es Dir an.</a><br/><br/>", +"This ownCloud instance is currently in single user mode." => "Diese ownClound-Instanz befindet sich derzeit im Einzelbenutzermodus.", +"This means only administrators can use the instance." => "Dies bedeutet, dass diese Instanz nur von Administratoren genutzt werden kann.", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Kontaktiere Deinen Systemadministrator, wenn diese Meldung dauerhaft oder unerwartet erscheint.", +"Thank you for your patience." => "Vielen Dank für Deine Geduld.", "Updating ownCloud to version %s, this may take a while." => "Aktualisiere ownCloud auf Version %s. Dies könnte eine Weile dauern.", "This ownCloud instance is currently being updated, which may take a while." => "Diese OwnCloud-Instanz wird gerade aktualisiert, was eine Weile dauert.", -"Please reload this page after a short time to continue using ownCloud." => "Bitte lade diese Seite nach kurzer Zeit neu, um mit der Nutzung von OwnCloud fortzufahren.", -"Contact your system administrator if this message persists or appeared unexpectedly." => "Kontaktiere Deinen Systemadministrator, wenn diese Meldung dauerhaft oder unerwartet erscheint.", -"Thank you for your patience." => "Vielen Dank für Deine Geduld." +"Please reload this page after a short time to continue using ownCloud." => "Bitte lade diese Seite nach kurzer Zeit neu, um mit der Nutzung von OwnCloud fortzufahren." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/de_DE.php b/core/l10n/de_DE.php index 8832aad32b4..b25d465c3ec 100644 --- a/core/l10n/de_DE.php +++ b/core/l10n/de_DE.php @@ -1,12 +1,12 @@ <?php $TRANSLATIONS = array( "%s shared »%s« with you" => "%s geteilt »%s« mit Ihnen", -"Couldn't send mail to following users: %s " => "Die E-Mail konnte nicht an folgende Benutzer gesendet werden: %s", +"Couldn't send mail to following users: %s " => "An folgende Benutzer konnte keine E-Mail gesendet werden: %s", "Turned on maintenance mode" => "Wartungsmodus eingeschaltet ", "Turned off maintenance mode" => "Wartungsmodus ausgeschaltet", "Updated database" => "Datenbank aktualisiert", -"Updating filecache, this may take really long..." => "Aktualisiere Dateicache, dies könnte eine Weile dauern...", -"Updated filecache" => "Dateicache aktualisiert", +"Updating filecache, this may take really long..." => "Aktualisiere Datei-Cache, dies könnte eine Weile dauern...", +"Updated filecache" => "Datei-Cache aktualisiert", "... %d%% done ..." => "... %d%% erledigt ...", "No image or file provided" => "Kein Bild oder Datei zur Verfügung gestellt", "Unknown filetype" => "Unbekannter Dateityp", @@ -53,7 +53,7 @@ $TRANSLATIONS = array( "_{count} file conflict_::_{count} file conflicts_" => array("{count} Dateikonflikt","{count} Dateikonflikte"), "One file conflict" => "Ein Dateikonflikt", "Which files do you want to keep?" => "Welche Dateien möchten Sie behalten?", -"If you select both versions, the copied file will have a number added to its name." => "Wenn Siebeide Versionen auswählen, erhält die kopierte Datei eine Zahl am Ende des Dateinamens.", +"If you select both versions, the copied file will have a number added to its name." => "Wenn Sie beide Versionen auswählen, erhält die kopierte Datei eine Zahl am Ende des Dateinamens.", "Cancel" => "Abbrechen", "Continue" => "Fortsetzen", "(all selected)" => "(Alle ausgewählt)", @@ -96,12 +96,13 @@ $TRANSLATIONS = array( "Email sent" => "Email gesendet", "Warning" => "Warnung", "The object type is not specified." => "Der Objekttyp ist nicht angegeben.", -"Enter new" => "c", +"Enter new" => "Neuen eingeben", "Delete" => "Löschen", "Add" => "Hinzufügen", "Edit tags" => "Schlagwörter bearbeiten", -"Error loading dialog template: {error}" => "Fehler beim Laden der Gesprächsvorlage: {error}", +"Error loading dialog template: {error}" => "Fehler beim Laden der Dialogvorlage: {error}", "No tags selected for deletion." => "Es wurden keine Schlagwörter zum Löschen ausgewählt.", +"Please reload the page." => "Bitte laden Sie diese Seite neu.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Das Update ist fehlgeschlagen. Bitte melden Sie dieses Problem an die <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud Community</a>.", "The update was successful. Redirecting you to ownCloud now." => "Das Update war erfolgreich. Sie werden nun zu ownCloud weitergeleitet.", "%s password reset" => "%s-Passwort zurücksetzen", @@ -131,16 +132,16 @@ $TRANSLATIONS = array( "Error unfavoriting" => "Fehler beim Entfernen aus den Favoriten", "Access forbidden" => "Zugriff verboten", "Cloud not found" => "Cloud wurde nicht gefunden", -"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hallo,\n\nich wollte Sie nur wissen lassen, dass %s %s mit Ihnen teilt.\nSchauen Sie es sich an: %s\n\n", -"The share will expire on %s.\n\n" => "Die Freigabe wird ablaufen am %s.\n\n", -"Cheers!" => "Hallo!", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hallo,\n\n%s hat %s mit Ihnen geteilt.\nSchauen Sie es sich an: %s\n\n", +"The share will expire on %s." => "Die Freigabe wird am %s ablaufen.", +"Cheers!" => "Noch einen schönen Tag!", "Security Warning" => "Sicherheitshinweis", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Ihre PHP Version ist durch die NULL Byte Attacke (CVE-2006-7243) angreifbar", "Please update your PHP installation to use %s securely." => "Bitte aktualisieren Sie Ihre PHP-Installation um %s sicher nutzen zu können.", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "Es ist kein sicherer Zufallszahlengenerator verfügbar, bitte aktivieren Sie die PHP-Erweiterung für OpenSSL.", "Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "Ohne einen sicheren Zufallszahlengenerator sind Angreifer in der Lage, die Tokens für das Zurücksetzen der Passwörter vorherzusehen und Ihr Konto zu übernehmen.", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." => "Ihr Datenverzeichnis und Ihre Dateien sind wahrscheinlich vom Internet aus erreichbar, weil die .htaccess-Datei nicht funktioniert.", -"For information how to properly configure your server, please see the <a href=\"%s\" target=\"_blank\">documentation</a>." => "Für Informationen, wie Sie Ihren Server richtig konfigurieren lesen Sie bitte die <a href=\"%s\" target=\"_blank\">Dokumentation</a>.", +"For information how to properly configure your server, please see the <a href=\"%s\" target=\"_blank\">documentation</a>." => "Bitte lesen Sie die <a href=\"%s\" target=\"_blank\">Dokumentation</a>, um zu erfahren, wie Sie Ihr Server richtig konfigurieren können.", "Create an <strong>admin account</strong>" => "<strong>Administrator-Konto</strong> anlegen", "Advanced" => "Fortgeschritten", "Data folder" => "Datenverzeichnis", @@ -153,23 +154,25 @@ $TRANSLATIONS = array( "Database host" => "Datenbank-Host", "Finish setup" => "Installation abschließen", "Finishing …" => "Abschließen ...", +"This application requires JavaScript to be enabled for correct operation. Please <a href=\"http://enable-javascript.com/\" target=\"_blank\">enable JavaScript</a> and re-load this interface." => "Diese Anwendung benötigt ein aktiviertes JavaScript zum korrekten Betrieb. Bitte <a href=\"http://enable-javascript.com/\" target=\"_blank\">aktivieren Sie JavaScript</a> und laden Sie diese Schnittstelle neu.", "%s is available. Get more information on how to update." => "%s ist verfügbar. Holen Sie weitere Informationen zu Aktualisierungen ein.", "Log out" => "Abmelden", "Automatic logon rejected!" => "Automatische Anmeldung verweigert!", "If you did not change your password recently, your account may be compromised!" => "Wenn Sie Ihr Passwort nicht vor kurzem geändert haben, könnte Ihr\nAccount kompromittiert sein!", "Please change your password to secure your account again." => "Bitte ändern Sie Ihr Passwort, um Ihr Konto wieder zu sichern.", -"Server side authentication failed!" => "Serverseitige Authentifizierung fehlgeschlagen!", +"Server side authentication failed!" => "Die Authentifizierung auf dem Server ist fehlgeschlagen!", "Please contact your administrator." => "Bitte kontaktieren Sie Ihren Administrator.", "Lost your password?" => "Passwort vergessen?", "remember" => "merken", "Log in" => "Einloggen", "Alternative Logins" => "Alternative Logins", -"Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Hallo,<br><br>ich wollte Sie nur wissen lassen, dass %s %s mit Ihnen teilt.<br><a href=\"%s\">Schauen Sie es sich an!</a><br><br>", -"The share will expire on %s.<br><br>" => "Die Freigabe wird ablaufen am %s.<br><br>", -"Updating ownCloud to version %s, this may take a while." => "Aktualisiere ownCloud auf Version %s. Dies könnte eine Weile dauern.", -"This ownCloud instance is currently being updated, which may take a while." => "Diese OwnCloud-Instanz wird gerade aktualisiert, was eine Weile dauert.", -"Please reload this page after a short time to continue using ownCloud." => "Bitte laden Sie diese Seite nach kurzer Zeit neu, um mit der Nutzung von OwnCloud fortzufahren.", +"Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Hallo,<br><br>%s hat %s mit Ihnen geteilt.<br><a href=\"%s\">Schauen Sie es sich an!</a><br><br>", +"This ownCloud instance is currently in single user mode." => "Diese ownClound-Instanz befindet sich derzeit im Einzelbenutzermodus.", +"This means only administrators can use the instance." => "Dies bedeutet, dass diese Instanz nur von Administratoren genutzt werden kann.", "Contact your system administrator if this message persists or appeared unexpectedly." => "Kontaktieren Sie Ihren Systemadministrator, wenn diese Meldung dauerhaft oder unerwartet erscheint.", -"Thank you for your patience." => "Vielen Dank für Ihre Geduld." +"Thank you for your patience." => "Vielen Dank für Ihre Geduld.", +"Updating ownCloud to version %s, this may take a while." => "Aktualisiere ownCloud auf Version %s. Dies könnte eine Weile dauern.", +"This ownCloud instance is currently being updated, which may take a while." => "Diese ownCloud-Instanz wird gerade aktualisiert, was eine Weile dauert.", +"Please reload this page after a short time to continue using ownCloud." => "Bitte laden Sie diese Seite nach kurzer Zeit neu, um mit der Nutzung von ownCloud fortzufahren." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/el.php b/core/l10n/el.php index c379881caed..ab6dcff47b8 100644 --- a/core/l10n/el.php +++ b/core/l10n/el.php @@ -1,9 +1,11 @@ <?php $TRANSLATIONS = array( "%s shared »%s« with you" => "Ο %s διαμοιράστηκε μαζί σας το »%s«", +"Couldn't send mail to following users: %s " => "Αδυναμία αποστολής μηνύματος στους ακόλουθους χρήστες: %s", "Turned on maintenance mode" => "Η κατάσταση συντήρησης ενεργοποιήθηκε", "Turned off maintenance mode" => "Η κατάσταση συντήρησης απενεργοποιήθηκε", "Updated database" => "Ενημερωμένη βάση δεδομένων", +"No image or file provided" => "Δεν δόθηκε εικόνα ή αρχείο", "Unknown filetype" => "Άγνωστος τύπος αρχείου", "Invalid image" => "Μη έγκυρη εικόνα", "Sunday" => "Κυριακή", @@ -27,7 +29,7 @@ $TRANSLATIONS = array( "December" => "Δεκέμβριος", "Settings" => "Ρυθμίσεις", "seconds ago" => "δευτερόλεπτα πριν", -"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n minute ago_::_%n minutes ago_" => array("%n λεπτό πριν","%n λεπτά πριν"), "_%n hour ago_::_%n hours ago_" => array("",""), "today" => "σήμερα", "yesterday" => "χτες", @@ -42,8 +44,11 @@ $TRANSLATIONS = array( "No" => "Όχι", "Ok" => "Οκ", "_{count} file conflict_::_{count} file conflicts_" => array("",""), +"Which files do you want to keep?" => "Ποια αρχεία θέλετε να κρατήσετε;", +"If you select both versions, the copied file will have a number added to its name." => "Εάν επιλέξετε και τις δυο εκδοχές, ένας αριθμός θα προστεθεί στο αντιγραφόμενο αρχείο.", "Cancel" => "Άκυρο", "Continue" => "Συνέχεια", +"(all selected)" => "(όλα τα επιλεγμένα)", "Shared" => "Κοινόχρηστα", "Share" => "Διαμοιρασμός", "Error" => "Σφάλμα", @@ -107,6 +112,7 @@ $TRANSLATIONS = array( "Tag already exists" => "Υπάρχει ήδη η ετικέτα", "Access forbidden" => "Δεν επιτρέπεται η πρόσβαση", "Cloud not found" => "Δεν βρέθηκε νέφος", +"The share will expire on %s." => "Ο διαμοιρασμός θα λήξει σε %s.", "Security Warning" => "Προειδοποίηση Ασφαλείας", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Η PHP ειναι ευαλωτη στην NULL Byte επιθεση (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Παρακαλώ ενημερώστε την εγκατάσταση της PHP ώστε να χρησιμοποιήσετε το %s με ασφάλεια.", @@ -125,16 +131,21 @@ $TRANSLATIONS = array( "Database tablespace" => "Κενά Πινάκων Βάσης Δεδομένων", "Database host" => "Διακομιστής βάσης δεδομένων", "Finish setup" => "Ολοκλήρωση εγκατάστασης", +"Finishing …" => "Ολοκλήρωση...", "%s is available. Get more information on how to update." => "%s είναι διαθέσιμη. Δείτε περισσότερες πληροφορίες στο πώς να αναβαθμίσετε.", "Log out" => "Αποσύνδεση", "Automatic logon rejected!" => "Απορρίφθηκε η αυτόματη σύνδεση!", "If you did not change your password recently, your account may be compromised!" => "Εάν δεν αλλάξατε το συνθηματικό σας προσφάτως, ο λογαριασμός μπορεί να έχει διαρρεύσει!", "Please change your password to secure your account again." => "Παρακαλώ αλλάξτε το συνθηματικό σας για να ασφαλίσετε πάλι τον λογαριασμό σας.", +"Server side authentication failed!" => "Η διαδικασία επικύρωσης απέτυχε από την πλευρά του διακομιστή!", +"Please contact your administrator." => "Παρακαλώ επικοινωνήστε με τον διαχειριστή.", "Lost your password?" => "Ξεχάσατε το συνθηματικό σας;", "remember" => "απομνημόνευση", "Log in" => "Είσοδος", "Alternative Logins" => "Εναλλακτικές Συνδέσεις", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Επικοινωνήστε με το διαχειριστή του συστήματος αν αυτό το μήνυμα συνεχίζει να εμφανίζεται ή εμφανίστηκε απρόσμενα.", +"Thank you for your patience." => "Σας ευχαριστούμε για την υπομονή σας.", "Updating ownCloud to version %s, this may take a while." => "Ενημερώνοντας το ownCloud στην έκδοση %s,μπορεί να πάρει λίγο χρόνο.", -"Thank you for your patience." => "Σας ευχαριστούμε για την υπομονή σας." +"Please reload this page after a short time to continue using ownCloud." => "Παρακαλώ ανανεώστε αυτή τη σελίδα μετά από ένα σύντομο χρονικό διάστημα ώστε να συνεχίσετε να χρησιμοποιείτε το ownCloud." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/en_GB.php b/core/l10n/en_GB.php index 7ead84a8746..3cad129d1c4 100644 --- a/core/l10n/en_GB.php +++ b/core/l10n/en_GB.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Edit tags" => "Edit tags", "Error loading dialog template: {error}" => "Error loading dialog template: {error}", "No tags selected for deletion." => "No tags selected for deletion.", +"Please reload the page." => "Please reload the page.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>.", "The update was successful. Redirecting you to ownCloud now." => "The update was successful. Redirecting you to ownCloud now.", "%s password reset" => "%s password reset", @@ -132,7 +133,7 @@ $TRANSLATIONS = array( "Access forbidden" => "Access denied", "Cloud not found" => "Cloud not found", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n", -"The share will expire on %s.\n\n" => "The share will expire on %s.\n\n", +"The share will expire on %s." => "The share will expire on %s.", "Cheers!" => "Cheers!", "Security Warning" => "Security Warning", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)", @@ -165,11 +166,12 @@ $TRANSLATIONS = array( "Log in" => "Log in", "Alternative Logins" => "Alternative Logins", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>", -"The share will expire on %s.<br><br>" => "The share will expire on %s.<br><br>", +"This ownCloud instance is currently in single user mode." => "This ownCloud instance is currently in single user mode.", +"This means only administrators can use the instance." => "This means only administrators can use the instance.", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Contact your system administrator if this message persists or appeared unexpectedly.", +"Thank you for your patience." => "Thank you for your patience.", "Updating ownCloud to version %s, this may take a while." => "Updating ownCloud to version %s, this may take a while.", "This ownCloud instance is currently being updated, which may take a while." => "This ownCloud instance is currently being updated, which may take a while.", -"Please reload this page after a short time to continue using ownCloud." => "Please reload this page after a short time to continue using ownCloud.", -"Contact your system administrator if this message persists or appeared unexpectedly." => "Contact your system administrator if this message persists or appeared unexpectedly.", -"Thank you for your patience." => "Thank you for your patience." +"Please reload this page after a short time to continue using ownCloud." => "Please reload this page after a short time to continue using ownCloud." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/es.php b/core/l10n/es.php index f938218d43d..72450ec4568 100644 --- a/core/l10n/es.php +++ b/core/l10n/es.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Edit tags" => "Editar etiquetas", "Error loading dialog template: {error}" => "Error cargando plantilla de diálogo: {error}", "No tags selected for deletion." => "No hay etiquetas seleccionadas para borrar.", +"Please reload the page." => "Vuelva a cargar la página.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "La actualización ha fracasado. Por favor, informe de este problema a la <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">Comunidad de ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "La actualización se ha realizado con éxito. Redireccionando a ownCloud ahora.", "%s password reset" => "%s restablecer contraseña", @@ -132,7 +133,7 @@ $TRANSLATIONS = array( "Access forbidden" => "Acceso denegado", "Cloud not found" => "No se encuentra la nube", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hola:\n\nTan solo queremos informarte que %s compartió %s contigo.\nMíralo aquí: %s\n\n", -"The share will expire on %s.\n\n" => "El objeto dejará de ser compartido el %s.\n\n", +"The share will expire on %s." => "El objeto dejará de ser compartido el %s.", "Cheers!" => "¡Saludos!", "Security Warning" => "Advertencia de seguridad", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Su versión de PHP es vulnerable al ataque de Byte NULL (CVE-2006-7243)", @@ -165,11 +166,12 @@ $TRANSLATIONS = array( "Log in" => "Entrar", "Alternative Logins" => "Inicios de sesión alternativos", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Hola:<br><br>tan solo queremos informarte que %s compartió «%s» contigo.<br><a href=\"%s\">¡Míralo acá!</a><br><br>", -"The share will expire on %s.<br><br>" => "El objeto dejará de ser compartido el %s.<br><br>", +"This ownCloud instance is currently in single user mode." => "Esta instalación de ownCloud se encuentra en modo de usuario único.", +"This means only administrators can use the instance." => "Esto quiere decir que solo un administrador puede usarla.", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Contacte con su administrador de sistemas si este mensaje persiste o aparece de forma inesperada.", +"Thank you for your patience." => "Gracias por su paciencia.", "Updating ownCloud to version %s, this may take a while." => "Actualizando ownCloud a la versión %s, esto puede demorar un tiempo.", "This ownCloud instance is currently being updated, which may take a while." => "Esta versión de owncloud se está actualizando, esto puede demorar un tiempo.", -"Please reload this page after a short time to continue using ownCloud." => "Por favor , recargue esta instancia de onwcloud tras un corto periodo de tiempo y continue usándolo.", -"Contact your system administrator if this message persists or appeared unexpectedly." => "Contacte con su administrador de sistemas si este mensaje persiste o aparece de forma inesperada.", -"Thank you for your patience." => "Gracias por su paciencia." +"Please reload this page after a short time to continue using ownCloud." => "Por favor , recargue esta instancia de onwcloud tras un corto periodo de tiempo y continue usándolo." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/et_EE.php b/core/l10n/et_EE.php index b56038a2125..a019124d092 100644 --- a/core/l10n/et_EE.php +++ b/core/l10n/et_EE.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Edit tags" => "Muuda silte", "Error loading dialog template: {error}" => "Viga dialoogi malli laadimisel: {error}", "No tags selected for deletion." => "Kustutamiseks pole ühtegi silti valitud.", +"Please reload the page." => "Palun laadi see uuesti.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Uuendus ebaõnnestus. Palun teavita probleemidest <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud kogukonda</a>.", "The update was successful. Redirecting you to ownCloud now." => "Uuendus oli edukas. Kohe suunatakse Sind ownCloudi.", "%s password reset" => "%s parooli lähtestus", @@ -132,7 +133,7 @@ $TRANSLATIONS = array( "Access forbidden" => "Ligipääs on keelatud", "Cloud not found" => "Pilve ei leitud", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hei,\n\nlihtsalt annan sulle teada, et %s jagas sulle välja %s.\nVaata seda: %s\n\n", -"The share will expire on %s.\n\n" => "Jagamine aegub %s.\n\n", +"The share will expire on %s." => "Jagamine aegub %s.", "Cheers!" => "Terekest!", "Security Warning" => "Turvahoiatus", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Sinu PHP versioon on haavatav NULL Baidi (CVE-2006-7243) rünnakuga.", @@ -165,11 +166,12 @@ $TRANSLATIONS = array( "Log in" => "Logi sisse", "Alternative Logins" => "Alternatiivsed sisselogimisviisid", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Hei,<br><br>lihtsalt annan sulle teada, et %s jagas sulle välja »%s«.<br><a href=\"%s\">Vaata seda!</a><br><br>", -"The share will expire on %s.<br><br>" => "Jagamine aegub %s.<br><br>", +"This ownCloud instance is currently in single user mode." => "See ownCloud on momendil seadistatud ühe kasutaja jaoks.", +"This means only administrators can use the instance." => "See tähendab, et seda saavad kasutada ainult administraatorid.", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Kontakteeru oma süsteemihalduriga, kui see teade püsib või on tekkinud ootamatult.", +"Thank you for your patience." => "Täname kannatlikkuse eest.", "Updating ownCloud to version %s, this may take a while." => "ownCloudi uuendamine versioonile %s. See võib veidi aega võtta.", "This ownCloud instance is currently being updated, which may take a while." => "Seda ownCloud instantsi hetkel uuendatakse, võib võtta veidi aega.", -"Please reload this page after a short time to continue using ownCloud." => "Palun laadi see leht uuesti veidi aja pärast jätkamaks ownCloud kasutamist.", -"Contact your system administrator if this message persists or appeared unexpectedly." => "Kontakteeru oma süsteemihalduriga, kui see teade püsib või on tekkinud ootamatult.", -"Thank you for your patience." => "Täname kannatlikkuse eest." +"Please reload this page after a short time to continue using ownCloud." => "Palun laadi see leht uuesti veidi aja pärast jätkamaks ownCloud kasutamist." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/eu.php b/core/l10n/eu.php index 3ad11a62cd8..5aa53b69d11 100644 --- a/core/l10n/eu.php +++ b/core/l10n/eu.php @@ -1,6 +1,18 @@ <?php $TRANSLATIONS = array( "%s shared »%s« with you" => "%s-ek »%s« zurekin partekatu du", +"Couldn't send mail to following users: %s " => "Ezin izan da posta bidali hurrengo erabiltzaileei: %s", +"Turned on maintenance mode" => "Mantenu modua gaitu da", +"Turned off maintenance mode" => "Mantenu modua desgaitu da", +"Updated database" => "Datu basea eguneratu da", +"Updating filecache, this may take really long..." => "Fitxategi katxea eguneratzen, honek oso denbora luzea har dezake...", +"Updated filecache" => "Fitxategi katxea eguneratu da", +"... %d%% done ..." => "... %d%% egina ...", +"No image or file provided" => "Ez da irudi edo fitxategirik zehaztu", +"Unknown filetype" => "Fitxategi mota ezezaguna", +"Invalid image" => "Baliogabeko irudia", +"No temporary profile picture available, try again" => "Ez dago behin-behineko profil irudirik, saiatu berriro", +"No crop data provided" => "Ez da ebaketarako daturik zehaztu", "Sunday" => "Igandea", "Monday" => "Astelehena", "Tuesday" => "Asteartea", @@ -33,11 +45,20 @@ $TRANSLATIONS = array( "last year" => "joan den urtean", "years ago" => "urte", "Choose" => "Aukeratu", +"Error loading file picker template: {error}" => "Errorea fitxategi hautatzaile txantiloiak kargatzerakoan: {error}", "Yes" => "Bai", "No" => "Ez", "Ok" => "Ados", -"_{count} file conflict_::_{count} file conflicts_" => array("",""), +"Error loading message template: {error}" => "Errorea mezu txantiloia kargatzean: {error}", +"_{count} file conflict_::_{count} file conflicts_" => array("fitxategi {count}ek konfliktua sortu du","{count} fitxategik konfliktua sortu dute"), +"One file conflict" => "Fitxategi batek konfliktua sortu du", +"Which files do you want to keep?" => "Ze fitxategi mantendu nahi duzu?", +"If you select both versions, the copied file will have a number added to its name." => "Bi bertsioak hautatzen badituzu, kopiatutako fitxategiaren izenean zenbaki bat atxikituko zaio.", "Cancel" => "Ezeztatu", +"Continue" => "Jarraitu", +"(all selected)" => "(denak hautatuta)", +"({count} selected)" => "({count} hautatuta)", +"Error loading file exists template" => "Errorea fitxategia existitzen da txantiloiak kargatzerakoan", "Shared" => "Elkarbanatuta", "Share" => "Elkarbanatu", "Error" => "Errorea", @@ -46,6 +67,8 @@ $TRANSLATIONS = array( "Error while changing permissions" => "Errore bat egon da baimenak aldatzean", "Shared with you and the group {group} by {owner}" => "{owner}-k zu eta {group} taldearekin elkarbanatuta", "Shared with you by {owner}" => "{owner}-k zurekin elkarbanatuta", +"Share with user or group …" => "Elkarbanatu erabiltzaile edo taldearekin...", +"Share link" => "Elkarbanatu lotura", "Password protect" => "Babestu pasahitzarekin", "Password" => "Pasahitza", "Allow Public Upload" => "Gaitu igotze publikoa", @@ -59,6 +82,7 @@ $TRANSLATIONS = array( "Resharing is not allowed" => "Berriz elkarbanatzea ez dago baimendua", "Shared in {item} with {user}" => "{user}ekin {item}-n elkarbanatuta", "Unshare" => "Ez elkarbanatu", +"notify by email" => "jakinarazi eposta bidez", "can edit" => "editatu dezake", "access control" => "sarrera kontrola", "create" => "sortu", @@ -72,8 +96,13 @@ $TRANSLATIONS = array( "Email sent" => "Eposta bidalia", "Warning" => "Abisua", "The object type is not specified." => "Objetu mota ez dago zehaztuta.", +"Enter new" => "Sartu berria", "Delete" => "Ezabatu", "Add" => "Gehitu", +"Edit tags" => "Editatu etiketak", +"Error loading dialog template: {error}" => "Errorea elkarrizketa txantiloia kargatzean: {errorea}", +"No tags selected for deletion." => "Ez dira ezabatzeko etiketak hautatu.", +"Please reload the page." => "Mesedez birkargatu orria.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Eguneraketa ez da ongi egin. Mesedez egin arazoaren txosten bat <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud komunitatearentzako</a>.", "The update was successful. Redirecting you to ownCloud now." => "Eguneraketa ongi egin da. Orain zure ownClouderea berbideratua izango zara.", "%s password reset" => "%s pasahitza berrezarri", @@ -84,6 +113,7 @@ $TRANSLATIONS = array( "Username" => "Erabiltzaile izena", "Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "Zure fitxategiak enkriptaturik daude. Ez baduzu berreskuratze gakoa gaitzen pasahitza berrabiaraztean ez da zure fitxategiak berreskuratzeko modurik egongo. Zer egin ziur ez bazaude kudeatzailearekin harremanetan ipini jarraitu aurretik. Ziur zaude aurrera jarraitu nahi duzula?", "Yes, I really want to reset my password now" => "Bai, nire pasahitza orain berrabiarazi nahi dut", +"Reset" => "Berrezarri", "Your password was reset" => "Zure pasahitza berrezarri da", "To login page" => "Sarrera orrira", "New password" => "Pasahitz berria", @@ -93,8 +123,18 @@ $TRANSLATIONS = array( "Apps" => "Aplikazioak", "Admin" => "Admin", "Help" => "Laguntza", +"Error loading tags" => "Errore bat izan da etiketak kargatzearkoan.", +"Tag already exists" => "Etiketa dagoeneko existitzen da", +"Error deleting tag(s)" => "Errore bat izan da etiketa(k) ezabatzerakoan", +"Error tagging" => "Errorea etiketa ezartzerakoan", +"Error untagging" => "Errorea etiketa kentzerakoan", +"Error favoriting" => "Errorea gogokoetara gehitzerakoan", +"Error unfavoriting" => "Errorea gogokoetatik kentzerakoan", "Access forbidden" => "Sarrera debekatuta", "Cloud not found" => "Ez da hodeia aurkitu", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Kaixo\n\n%s-ek %s zurekin partekatu duela jakin dezazun.\nIkusi ezazu: %s\n\n", +"The share will expire on %s." => "Elkarbanaketa %s-n iraungiko da.", +"Cheers!" => "Ongi izan!", "Security Warning" => "Segurtasun abisua", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Zure PHP bertsioa NULL Byte erasoak (CVE-2006-7243) mendera dezake.", "Please update your PHP installation to use %s securely." => "Mesedez eguneratu zure PHP instalazioa %s seguru erabiltzeko", @@ -113,15 +153,25 @@ $TRANSLATIONS = array( "Database tablespace" => "Datu basearen taula-lekua", "Database host" => "Datubasearen hostalaria", "Finish setup" => "Bukatu konfigurazioa", +"Finishing …" => "Bukatzen...", "%s is available. Get more information on how to update." => "%s erabilgarri dago. Eguneratzeaz argibide gehiago eskuratu.", "Log out" => "Saioa bukatu", "Automatic logon rejected!" => "Saio hasiera automatikoa ez onartuta!", "If you did not change your password recently, your account may be compromised!" => "Zure pasahitza orain dela gutxi ez baduzu aldatu, zure kontua arriskuan egon daiteke!", "Please change your password to secure your account again." => "Mesedez aldatu zure pasahitza zure kontua berriz segurtatzeko.", +"Server side authentication failed!" => "Zerbitzari aldeko autentifikazioak huts egin du!", +"Please contact your administrator." => "Mesedez jarri harremetan zure administradorearekin.", "Lost your password?" => "Galdu duzu pasahitza?", "remember" => "gogoratu", "Log in" => "Hasi saioa", "Alternative Logins" => "Beste erabiltzaile izenak", -"Updating ownCloud to version %s, this may take a while." => "ownCloud %s bertsiora eguneratzen, denbora har dezake." +"Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Kaixo<br><br>%s-ek %s zurekin partekatu duela jakin dezazun.<br><a href=\"%s\">\nIkusi ezazu</a><br><br>", +"This ownCloud instance is currently in single user mode." => "ownCloud instantzia hau erabiltzaile bakar moduan dago.", +"This means only administrators can use the instance." => "Honek administradoreak bakarrik erabili dezakeela esan nahi du.", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Jarri harremanetan zure sistema administratzailearekin mezu hau irauten badu edo bat-batean agertu bada.", +"Thank you for your patience." => "Milesker zure patzientziagatik.", +"Updating ownCloud to version %s, this may take a while." => "ownCloud %s bertsiora eguneratzen, denbora har dezake.", +"This ownCloud instance is currently being updated, which may take a while." => "ownCloud instantzia hau eguneratzen ari da, honek denbora har dezake.", +"Please reload this page after a short time to continue using ownCloud." => "Mesedez birkargatu orri hau denbora gutxi barru ownCloud erabiltzen jarraitzeko." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/fi_FI.php b/core/l10n/fi_FI.php index 3462ab5c983..4109ea8e895 100644 --- a/core/l10n/fi_FI.php +++ b/core/l10n/fi_FI.php @@ -97,6 +97,7 @@ $TRANSLATIONS = array( "Add" => "Lisää", "Edit tags" => "Muokkaa tunnisteita", "No tags selected for deletion." => "Tunnisteita ei valittu poistettavaksi.", +"Please reload the page." => "Päivitä sivu.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Päivitys epäonnistui. Ilmoita ongelmasta <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud-yhteisölle</a>.", "The update was successful. Redirecting you to ownCloud now." => "Päivitys onnistui. Selain ohjautuu nyt ownCloudiisi.", "%s password reset" => "%s salasanan nollaus", @@ -105,7 +106,9 @@ $TRANSLATIONS = array( "Request failed!<br>Did you make sure your email/username was right?" => "Pyyntö epäonnistui!<br>Olihan sähköpostiosoitteesi/käyttäjätunnuksesi oikein?", "You will receive a link to reset your password via Email." => "Saat sähköpostitse linkin nollataksesi salasanan.", "Username" => "Käyttäjätunnus", +"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "Tiedostosi on salattu. Jos et ole ottanut palautusavainta käyttöön, et voi käyttää tiedostojasi enää salasanan nollauksen jälkeen. Jos et ole varma mitä tehdä, ota yhteys ylläpitoon ennen kuin jatkat. Haluatko varmasti jatkaa?", "Yes, I really want to reset my password now" => "Kyllä, haluan nollata salasanani nyt", +"Reset" => "Nollaa salasana", "Your password was reset" => "Salasanasi nollattiin", "To login page" => "Kirjautumissivulle", "New password" => "Uusi salasana", @@ -121,7 +124,7 @@ $TRANSLATIONS = array( "Access forbidden" => "Pääsy estetty", "Cloud not found" => "Pilveä ei löydy", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hei sinä!\n\n%s jakoi kohteen %s kanssasi.\nTutustu siihen: %s\n\n", -"The share will expire on %s.\n\n" => "Jakaminen päättyy %s.\n\n", +"The share will expire on %s." => "Jakaminen päättyy %s.", "Security Warning" => "Turvallisuusvaroitus", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "PHP-asennuksesi on haavoittuvainen NULL Byte -hyökkäykselle (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Päivitä PHP-asennus varmistaaksesi, että %s on turvallinen käyttää.", @@ -140,6 +143,7 @@ $TRANSLATIONS = array( "Database host" => "Tietokantapalvelin", "Finish setup" => "Viimeistele asennus", "Finishing …" => "Valmistellaan…", +"This application requires JavaScript to be enabled for correct operation. Please <a href=\"http://enable-javascript.com/\" target=\"_blank\">enable JavaScript</a> and re-load this interface." => "Tämä sovellus vaatii toimiakseen JavaScriptin käyttöä. <a href=\"http://enable-javascript.com/\" target=\"_blank\">Ota JavaScript käyttöön</a> ja päivitä tämä käyttöliittymä.", "%s is available. Get more information on how to update." => "%s on saatavilla. Lue lisätietoja, miten päivitys asennetaan.", "Log out" => "Kirjaudu ulos", "Automatic logon rejected!" => "Automaattinen sisäänkirjautuminen hylättiin!", @@ -152,8 +156,12 @@ $TRANSLATIONS = array( "Log in" => "Kirjaudu sisään", "Alternative Logins" => "Vaihtoehtoiset kirjautumiset", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Hei sinä!<br><br>%s jakoi kohteen »%s« kanssasi.<br><a href=\"%s\">Tutustu siihen!</a><br><br>", -"The share will expire on %s.<br><br>" => "Jakaminen päättyy %s.<br><br>", +"This ownCloud instance is currently in single user mode." => "Tämä ownCloud-asennus on parhaillaan single user -tilassa.", +"This means only administrators can use the instance." => "Se tarkoittaa, että vain ylläpitäjät voivat nyt käyttää tätä ownCloudia.", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Ota yhteys järjestelmän ylläpitäjään, jos tämä viesti ilmenee uudelleen tai odottamatta.", +"Thank you for your patience." => "Kiitos kärsivällisyydestäsi.", "Updating ownCloud to version %s, this may take a while." => "Päivitetään ownCloud versioon %s, tämä saattaa kestää hetken.", -"Thank you for your patience." => "Kiitos kärsivällisyydestäsi." +"This ownCloud instance is currently being updated, which may take a while." => "Tätä ownCloud-asennusta päivitetään parhaillaan, siinä saattaa kestää hetki.", +"Please reload this page after a short time to continue using ownCloud." => "Päivitä tämä sivu hetken kuluttua jatkaaksesi ownCloudin käyttämistä." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/fr.php b/core/l10n/fr.php index 624dd54575f..c58305ea7a9 100644 --- a/core/l10n/fr.php +++ b/core/l10n/fr.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Edit tags" => "Modifier les balises", "Error loading dialog template: {error}" => "Erreur de chargement du modèle de dialogue : {error}", "No tags selected for deletion." => "Aucune balise sélectionnée pour la suppression.", +"Please reload the page." => "Veuillez recharger la page.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "La mise à jour a échoué. Veuillez signaler ce problème à la <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">communauté ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "La mise à jour a réussi. Vous êtes redirigé maintenant vers ownCloud.", "%s password reset" => "Réinitialisation de votre mot de passe %s", @@ -131,9 +132,9 @@ $TRANSLATIONS = array( "Error unfavoriting" => "Erreur lors de la suppression des favoris", "Access forbidden" => "Accès interdit", "Cloud not found" => "Introuvable", -"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Bonjour,\n\nJuste pour vous signaler que %s a partagé %s avec vous.\nConsultez-le : %s\n", -"The share will expire on %s.\n\n" => "Le partage expire le %s.\n\n", -"Cheers!" => "Salutations!", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Bonjour,\n\nNous vous informons que %s a partagé %s avec vous.\nConsultez-le : %s\n", +"The share will expire on %s." => "Le partage expirera le %s.", +"Cheers!" => "À bientôt !", "Security Warning" => "Avertissement de sécurité", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Votre version de PHP est vulnérable à l'attaque par caractère NULL (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "Veuillez mettre à jour votre installation PHP pour utiliser %s de façon sécurisée.", @@ -164,12 +165,13 @@ $TRANSLATIONS = array( "remember" => "se souvenir de moi", "Log in" => "Connexion", "Alternative Logins" => "Logins alternatifs", -"Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Bonjour,<br><br>Juste pour vous informer que %s a partagé »%s« avec vous.<br><a href=\"%s\">Consultez-le !</a><br><br>", -"The share will expire on %s.<br><br>" => "Le partage expirera le %s.<br><br>", +"Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Bonjour,<br><br>Nous vous informons que %s a partagé »%s« avec vous.<br><a href=\"%s\">Consultez-le !</a><br><br>", +"This ownCloud instance is currently in single user mode." => "Cette instance de ownCloud est actuellement en mode utilisateur unique.", +"This means only administrators can use the instance." => "Cela signifie que uniquement les administrateurs peuvent utiliser l'instance.", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Contactez votre administrateur système si ce message persiste ou apparaît de façon innatendue.", +"Thank you for your patience." => "Merci de votre patience.", "Updating ownCloud to version %s, this may take a while." => "Mise à jour en cours d'ownCloud vers la version %s, cela peut prendre du temps.", "This ownCloud instance is currently being updated, which may take a while." => "Cette instance d'ownCloud est en cours de mise à jour, cela peut prendre du temps.", -"Please reload this page after a short time to continue using ownCloud." => "Merci de recharger cette page après un moment pour continuer à utiliser ownCloud.", -"Contact your system administrator if this message persists or appeared unexpectedly." => "Contactez votre administrateur système si ce message persiste ou apparaît de façon innatendue.", -"Thank you for your patience." => "Merci de votre patience." +"Please reload this page after a short time to continue using ownCloud." => "Merci de recharger cette page après un moment pour continuer à utiliser ownCloud." ); $PLURAL_FORMS = "nplurals=2; plural=(n > 1);"; diff --git a/core/l10n/fr_CA.php b/core/l10n/fr_CA.php new file mode 100644 index 00000000000..2cbbaa45ca7 --- /dev/null +++ b/core/l10n/fr_CA.php @@ -0,0 +1,9 @@ +<?php +$TRANSLATIONS = array( +"_%n minute ago_::_%n minutes ago_" => array("",""), +"_%n hour ago_::_%n hours ago_" => array("",""), +"_%n day ago_::_%n days ago_" => array("",""), +"_%n month ago_::_%n months ago_" => array("",""), +"_{count} file conflict_::_{count} file conflicts_" => array("","") +); +$PLURAL_FORMS = "nplurals=2; plural=(n > 1);"; diff --git a/core/l10n/gl.php b/core/l10n/gl.php index 6a5c5ed56e8..7303807e519 100644 --- a/core/l10n/gl.php +++ b/core/l10n/gl.php @@ -13,13 +13,13 @@ $TRANSLATIONS = array( "Invalid image" => "Imaxe incorrecta", "No temporary profile picture available, try again" => "Non hai unha imaxe temporal de perfil dispoñíbel, volva tentalo", "No crop data provided" => "Non indicou como recortar", -"Sunday" => "Domingo", -"Monday" => "Luns", -"Tuesday" => "Martes", -"Wednesday" => "Mércores", -"Thursday" => "Xoves", -"Friday" => "Venres", -"Saturday" => "Sábado", +"Sunday" => "domingo", +"Monday" => "luns", +"Tuesday" => "martes", +"Wednesday" => "mércores", +"Thursday" => "xoves", +"Friday" => "venres", +"Saturday" => "sábado", "January" => "xaneiro", "February" => "febreiro", "March" => "marzo", @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Edit tags" => "Editar etiquetas", "Error loading dialog template: {error}" => "Produciuse un erro ao cargar o modelo do dialogo: {error}", "No tags selected for deletion." => "Non se seleccionaron etiquetas para borrado.", +"Please reload the page." => "Volva a cargar a páxina.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "A actualización non foi satisfactoria, informe deste problema á <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">comunidade de ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "A actualización realizouse correctamente. Redirixíndoo agora á ownCloud.", "%s password reset" => "Restabelecer o contrasinal %s", @@ -132,7 +133,7 @@ $TRANSLATIONS = array( "Access forbidden" => "Acceso denegado", "Cloud not found" => "Nube non atopada", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Ola,\n\nsó facerlle saber que %s compartiu %s con vostede.\nVéxao en: %s\n\n", -"The share will expire on %s.\n\n" => "Esta compartición caduca o %s.\n\n", +"The share will expire on %s." => "Esta compartición caduca o %s.", "Cheers!" => "Saúdos!", "Security Warning" => "Aviso de seguranza", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "A súa versión de PHP é vulnerábel a un ataque de byte nulo (CVE-2006-7243)", @@ -153,6 +154,7 @@ $TRANSLATIONS = array( "Database host" => "Servidor da base de datos", "Finish setup" => "Rematar a configuración", "Finishing …" => "Rematado ...", +"This application requires JavaScript to be enabled for correct operation. Please <a href=\"http://enable-javascript.com/\" target=\"_blank\">enable JavaScript</a> and re-load this interface." => "Este aplicativo require que o JavaScript estea activado para unha operativa correcta. <a href=\"http://enable-javascript.com/\" target=\"_blank\">Active o JavaScript</a> e volva a cargar a interface.", "%s is available. Get more information on how to update." => "%s está dispoñíbel. Obteña máis información sobre como actualizar.", "Log out" => "Desconectar", "Automatic logon rejected!" => "Rexeitouse a entrada automática", @@ -165,11 +167,12 @@ $TRANSLATIONS = array( "Log in" => "Conectar", "Alternative Logins" => "Accesos alternativos", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Ola,<br><br>Só facerlle saber que %s compartiu «%s» con vostede.<br><a href=\"%s\">Véxao!</a><br><br>", -"The share will expire on %s.<br><br>" => "Esta compartición caduca o %s.<br><br>", +"This ownCloud instance is currently in single user mode." => "Esta instancia do ownCloud está actualmente en modo de usuario único.", +"This means only administrators can use the instance." => "Isto significa que só os administradores poden utilizar a instancia.", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Póñase en contacto co administrador do sistema se persiste esta mensaxe ou se aparece de forma inesperada.", +"Thank you for your patience." => "Grazas pola súa paciencia.", "Updating ownCloud to version %s, this may take a while." => "Actualizando ownCloud a versión %s, esto pode levar un anaco.", "This ownCloud instance is currently being updated, which may take a while." => "Esta instancia do ownCloud está actualizandose neste momento, pode levarlle un chisco.", -"Please reload this page after a short time to continue using ownCloud." => "Volva cargar a páxina de aquí a pouco para para continuar co ownCloud.", -"Contact your system administrator if this message persists or appeared unexpectedly." => "Póñase en contacto co administrador do sistema se persiste esta mensaxe ou se aparece de forma inesperada.", -"Thank you for your patience." => "Grazas pola súa paciencia." +"Please reload this page after a short time to continue using ownCloud." => "Volva cargar a páxina de aquí a pouco para para continuar co ownCloud." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/hu_HU.php b/core/l10n/hu_HU.php index 7a8cdee9256..991ae3a838d 100644 --- a/core/l10n/hu_HU.php +++ b/core/l10n/hu_HU.php @@ -132,7 +132,6 @@ $TRANSLATIONS = array( "Access forbidden" => "A hozzáférés nem engedélyezett", "Cloud not found" => "A felhő nem található", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Szia!\\n\n\\n\nÉrtesítünk, hogy %s megosztotta veled a következőt: %s.\\n\nItt tudod megnézni: %s\\n\n\\n", -"The share will expire on %s.\n\n" => "A megosztás ekkor jár le: %s\\n\n\\n", "Cheers!" => "Üdv.", "Security Warning" => "Biztonsági figyelmeztetés", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Az Ön PHP verziója sebezhető a NULL bájtos támadással szemben (CVE-2006-7243)", @@ -165,11 +164,10 @@ $TRANSLATIONS = array( "Log in" => "Bejelentkezés", "Alternative Logins" => "Alternatív bejelentkezés", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Szia!<br><br>Értesítünk, hogy %s megosztotta veled a következőt: »%s«.<br><a href=\"%s\">Ide kattintva tudod megnézni</a><br><br>", -"The share will expire on %s.<br><br>" => "A megosztás ekkor jár le: %s<br><br>", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Ha ezt az üzenetet már többször látod akkor keresd meg a rendszer adminját.", +"Thank you for your patience." => "Köszönjük a türelmét.", "Updating ownCloud to version %s, this may take a while." => "Owncloud frissítés a %s verzióra folyamatban. Kis türelmet.", "This ownCloud instance is currently being updated, which may take a while." => "Az Owncloud frissítés elezdődött, eltarthat egy ideig.", -"Please reload this page after a short time to continue using ownCloud." => "Frissitsd az oldalt ha \"Please reload this page after a short time to continue using ownCloud. \"", -"Contact your system administrator if this message persists or appeared unexpectedly." => "Ha ezt az üzenetet már többször látod akkor keresd meg a rendszer adminját.", -"Thank you for your patience." => "Köszönjük a türelmét." +"Please reload this page after a short time to continue using ownCloud." => "Frissitsd az oldalt ha \"Please reload this page after a short time to continue using ownCloud. \"" ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/it.php b/core/l10n/it.php index 353bbe0705f..444d7ed250d 100644 --- a/core/l10n/it.php +++ b/core/l10n/it.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Edit tags" => "Modifica etichette", "Error loading dialog template: {error}" => "Errore durante il caricamento del modello di finestra: {error}", "No tags selected for deletion." => "Nessuna etichetta selezionata per l'eliminazione.", +"Please reload the page." => "Ricarica la pagina.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "L'aggiornamento non è riuscito. Segnala il problema alla <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">comunità di ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "L'aggiornamento è stato effettuato correttamente. Stai per essere reindirizzato a ownCloud.", "%s password reset" => "Ripristino password di %s", @@ -132,7 +133,7 @@ $TRANSLATIONS = array( "Access forbidden" => "Accesso negato", "Cloud not found" => "Nuvola non trovata", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Ciao,\n\nvolevo informarti che %s ha condiviso %s con te.\nVedi: %s\n\n", -"The share will expire on %s.\n\n" => "La condivisione scadrà il %s.\n\n", +"The share will expire on %s." => "La condivisione scadrà il %s.", "Cheers!" => "Saluti!", "Security Warning" => "Avviso di sicurezza", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "La tua versione di PHP è vulnerabile all'attacco NULL Byte (CVE-2006-7243)", @@ -153,6 +154,7 @@ $TRANSLATIONS = array( "Database host" => "Host del database", "Finish setup" => "Termina la configurazione", "Finishing …" => "Completamento...", +"This application requires JavaScript to be enabled for correct operation. Please <a href=\"http://enable-javascript.com/\" target=\"_blank\">enable JavaScript</a> and re-load this interface." => "L'applicazione richiede che JavaScript sia abilitato per un corretto funzionamento. <a href=\"http://enable-javascript.com/\" target=\"_blank\">Abilita JavaScript</a> e ricarica questa interfaccia.", "%s is available. Get more information on how to update." => "%s è disponibile. Ottieni ulteriori informazioni sull'aggiornamento.", "Log out" => "Esci", "Automatic logon rejected!" => "Accesso automatico rifiutato.", @@ -165,11 +167,12 @@ $TRANSLATIONS = array( "Log in" => "Accedi", "Alternative Logins" => "Accessi alternativi", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Ciao,<br><br>volevo informarti che %s ha condiviso %s con te.<br><a href=\"%s\">Vedi!</a><br><br>", -"The share will expire on %s.<br><br>" => "La condivisione scadrà il %s.<br><br>", +"This ownCloud instance is currently in single user mode." => "Questa istanza di ownCloud è in modalità utente singolo.", +"This means only administrators can use the instance." => "Ciò significa che solo gli amministratori possono utilizzare l'istanza.", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Contatta il tuo amministratore di sistema se questo messaggio persiste o appare inaspettatamente.", +"Thank you for your patience." => "Grazie per la pazienza.", "Updating ownCloud to version %s, this may take a while." => "Aggiornamento di ownCloud alla versione %s in corso, ciò potrebbe richiedere del tempo.", "This ownCloud instance is currently being updated, which may take a while." => "Questa istanza di ownCloud è in fase di aggiornamento, potrebbe richiedere del tempo.", -"Please reload this page after a short time to continue using ownCloud." => "Ricarica questa pagina per poter continuare ad usare ownCloud.", -"Contact your system administrator if this message persists or appeared unexpectedly." => "Contatta il tuo amministratore di sistema se questo messaggio persiste o appare inaspettatamente.", -"Thank you for your patience." => "Grazie per la pazienza." +"Please reload this page after a short time to continue using ownCloud." => "Ricarica questa pagina per poter continuare ad usare ownCloud." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/ja_JP.php b/core/l10n/ja_JP.php index 6b525223e9c..10a16ec903b 100644 --- a/core/l10n/ja_JP.php +++ b/core/l10n/ja_JP.php @@ -68,7 +68,7 @@ $TRANSLATIONS = array( "Shared with you and the group {group} by {owner}" => "あなたと {owner} のグループ {group} で共有中", "Shared with you by {owner}" => "{owner} と共有中", "Share with user or group …" => "ユーザもしくはグループと共有 ...", -"Share link" => "共有リンク", +"Share link" => "URLで共有", "Password protect" => "パスワード保護", "Password" => "パスワード", "Allow Public Upload" => "アップロードを許可", @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Edit tags" => "タグを編集", "Error loading dialog template: {error}" => "メッセージテンプレートの読み込みエラー: {error}", "No tags selected for deletion." => "削除するタグが選択されていません。", +"Please reload the page." => "ページをリロードしてください。", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "更新に成功しました。この問題を <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a> にレポートしてください。", "The update was successful. Redirecting you to ownCloud now." => "更新に成功しました。今すぐownCloudにリダイレクトします。", "%s password reset" => "%s パスワードリセット", @@ -132,7 +133,7 @@ $TRANSLATIONS = array( "Access forbidden" => "アクセスが禁止されています", "Cloud not found" => "見つかりません", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "こんにちは、\n\n%s があなたと %s を共有したことをお知らせします。\nそれを表示: %s\n", -"The share will expire on %s.\n\n" => "共有は %s で有効期限が切れます。\n\n", +"The share will expire on %s." => "共有は %s で有効期限が切れます。", "Cheers!" => "それでは!", "Security Warning" => "セキュリティ警告", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "あなたのPHPのバージョンには、Null Byte攻撃(CVE-2006-7243)という脆弱性が含まれています。", @@ -161,15 +162,16 @@ $TRANSLATIONS = array( "Server side authentication failed!" => "サーバサイドの認証に失敗しました!", "Please contact your administrator." => "管理者に問い合わせてください。", "Lost your password?" => "パスワードを忘れましたか?", -"remember" => "パスワードを記憶する", +"remember" => "自動ログインする", "Log in" => "ログイン", "Alternative Logins" => "代替ログイン", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "こんにちは、<br><br>%sがあなたと »%s« を共有したことをお知らせします。<br><a href=\"%s\">それを表示</a><br><br>", -"The share will expire on %s.<br><br>" => "共有は %s で有効期限が切れます。<br><br>", +"This ownCloud instance is currently in single user mode." => "この ownCloud インスタンスは、現在シングルユーザモードです。", +"This means only administrators can use the instance." => "これは、管理者のみがインスタンスを利用できることを意味しています。", +"Contact your system administrator if this message persists or appeared unexpectedly." => "このメッセージが引き続きもしくは予期せず現れる場合は、システム管理者に連絡してください。", +"Thank you for your patience." => "しばらくお待ちください。", "Updating ownCloud to version %s, this may take a while." => "ownCloud をバージョン %s に更新しています、しばらくお待ち下さい。", "This ownCloud instance is currently being updated, which may take a while." => "この ownCloud インスタンスは現在更新中であり、しばらく時間がかかります。", -"Please reload this page after a short time to continue using ownCloud." => "ownCloud を続けて利用するには、しばらくした後でページをリロードしてください。", -"Contact your system administrator if this message persists or appeared unexpectedly." => "このメッセージが引き続きもしくは予期せず現れる場合は、システム管理者に連絡してください。", -"Thank you for your patience." => "しばらくお待ちください。" +"Please reload this page after a short time to continue using ownCloud." => "ownCloud を続けて利用するには、しばらくした後でページをリロードしてください。" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/l10n/ko.php b/core/l10n/ko.php index 280cd744edf..a25197cec3c 100644 --- a/core/l10n/ko.php +++ b/core/l10n/ko.php @@ -1,5 +1,17 @@ <?php $TRANSLATIONS = array( +"Couldn't send mail to following users: %s " => "%s에게 메일을 보낼 수 없습니다.", +"Turned on maintenance mode" => "유지보수 모드 켜기", +"Turned off maintenance mode" => "유지보수 모드 끄기", +"Updated database" => "데이터베이스 업데이트 됨", +"Updating filecache, this may take really long..." => "파일 캐시 업데이트중, 시간이 약간 걸릴수 있습니다...", +"Updated filecache" => "파일캐시 업데이트 됨", +"... %d%% done ..." => "... %d%% 완료됨 ...", +"No image or file provided" => "이미지나 파일이 없음", +"Unknown filetype" => "알려지지 않은 파일형식", +"Invalid image" => "잘못된 이미지", +"No temporary profile picture available, try again" => "사용가능한 프로파일 사진이 없습니다. 재시도 하세요.", +"No crop data provided" => "선택된 데이터가 없습니다.", "Sunday" => "일요일", "Monday" => "월요일", "Tuesday" => "화요일", @@ -35,8 +47,14 @@ $TRANSLATIONS = array( "Yes" => "예", "No" => "아니요", "Ok" => "승락", -"_{count} file conflict_::_{count} file conflicts_" => array(""), +"_{count} file conflict_::_{count} file conflicts_" => array("{count} 파일 중복"), +"One file conflict" => "하나의 파일이 충돌", +"Which files do you want to keep?" => "어느 파일들을 보관하고 싶습니까?", +"If you select both versions, the copied file will have a number added to its name." => "두 버전을 모두 선택하면, 파일이름에 번호가 추가될 것입니다.", "Cancel" => "취소", +"Continue" => "계속", +"(all selected)" => "(모두 선택됨)", +"({count} selected)" => "({count}개가 선택됨)", "Shared" => "공유됨", "Share" => "공유", "Error" => "오류", @@ -73,13 +91,19 @@ $TRANSLATIONS = array( "The object type is not specified." => "객체 유형이 지정되지 않았습니다.", "Delete" => "삭제", "Add" => "추가", +"Edit tags" => "태크 편집", +"Please reload the page." => "페이지를 새로고침 해주세요", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "업데이트가 실패하였습니다. 이 문제를 <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud 커뮤니티</a>에 보고해 주십시오.", "The update was successful. Redirecting you to ownCloud now." => "업데이트가 성공하였습니다. ownCloud로 돌아갑니다.", +"%s password reset" => "%s 비밀번호 재설정", "Use the following link to reset your password: {link}" => "다음 링크를 사용하여 암호를 재설정할 수 있습니다: {link}", +"The link to reset your password has been sent to your email.<br>If you do not receive it within a reasonable amount of time, check your spam/junk folders.<br>If it is not there ask your local administrator ." => "비밀번호를 초기화 하기 위한 링크가 이메일로 발송되었습니다.<br>만약 수분이내에 메일이 도착하지 않은 경우, 스팸 메일함을 확인하세요.<br>만약 없다면, 메일 관리자에게 문의하세요.", "Request failed!<br>Did you make sure your email/username was right?" => "요청이 실패했습니다!<br>email 주소와 사용자 명을 정확하게 넣으셨나요?", "You will receive a link to reset your password via Email." => "이메일로 암호 재설정 링크를 보냈습니다.", "Username" => "사용자 이름", +"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "당신의 파일은 암호화 되어있습니다. 만약 복구키를 가지고 있지 않다면, 비밀번호를 초기화한 후에, 당신의 데이터를 복구할 수 없을 것입니다. 당신이 원하는 것이 확실하지 않다면, 계속진행하기 전에 관리자에게 문의하세요. 계속 진행하시겠습니까?", "Yes, I really want to reset my password now" => "네, 전 제 비밀번호를 리셋하길 원합니다", +"Reset" => "재설정", "Your password was reset" => "암호가 재설정되었습니다", "To login page" => "로그인 화면으로", "New password" => "새 암호", @@ -89,13 +113,17 @@ $TRANSLATIONS = array( "Apps" => "앱", "Admin" => "관리자", "Help" => "도움말", +"Tag already exists" => "태그가 이미 존재합니다", "Access forbidden" => "접근 금지됨", "Cloud not found" => "클라우드를 찾을 수 없습니다", +"Cheers!" => "화이팅!", "Security Warning" => "보안 경고", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "사용 중인 PHP 버전이 NULL 바이트 공격에 취약합니다 (CVE-2006-7243)", +"Please update your PHP installation to use %s securely." => "%s의 보안을 위하여 PHP 버전을 업데이트하십시오.", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "안전한 난수 생성기를 사용할 수 없습니다. PHP의 OpenSSL 확장을 활성화해 주십시오.", "Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "안전한 난수 생성기를 사용하지 않으면 공격자가 암호 초기화 토큰을 추측하여 계정을 탈취할 수 있습니다.", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." => ".htaccess 파일이 처리되지 않아서 데이터 디렉터리와 파일을 인터넷에서 접근할 수 없을 수도 있습니다.", +"For information how to properly configure your server, please see the <a href=\"%s\" target=\"_blank\">documentation</a>." => "올바른 서버 설정을 위한 정보는 <a href=\"%s\" target=\"_blank\">문서</a>를 참조하세요.", "Create an <strong>admin account</strong>" => "<strong>관리자 계정</strong> 만들기", "Advanced" => "고급", "Data folder" => "데이터 폴더", @@ -107,10 +135,14 @@ $TRANSLATIONS = array( "Database tablespace" => "데이터베이스 테이블 공간", "Database host" => "데이터베이스 호스트", "Finish setup" => "설치 완료", +"Finishing …" => "종료중 ...", +"%s is available. Get more information on how to update." => "%s는 사용가능합니다. 업데이트방법에 대해서 더 많은 정보를 얻으세요.", "Log out" => "로그아웃", "Automatic logon rejected!" => "자동 로그인이 거부되었습니다!", "If you did not change your password recently, your account may be compromised!" => "최근에 암호를 변경하지 않았다면 계정이 탈취되었을 수도 있습니다!", "Please change your password to secure your account again." => "계정의 안전을 위하여 암호를 변경하십시오.", +"Server side authentication failed!" => "서버 인증 실패!", +"Please contact your administrator." => "관리자에게 문의하세요.", "Lost your password?" => "암호를 잊으셨습니까?", "remember" => "기억하기", "Log in" => "로그인", diff --git a/core/l10n/lb.php b/core/l10n/lb.php index 215111dadfc..920e109bc68 100644 --- a/core/l10n/lb.php +++ b/core/l10n/lb.php @@ -143,7 +143,7 @@ $TRANSLATIONS = array( "remember" => "verhalen", "Log in" => "Umellen", "Alternative Logins" => "Alternativ Umeldungen", -"Updating ownCloud to version %s, this may take a while." => "ownCloud gëtt op d'Versioun %s aktualiséiert, dat kéint e Moment daueren.", -"Thank you for your patience." => "Merci fir deng Gedold." +"Thank you for your patience." => "Merci fir deng Gedold.", +"Updating ownCloud to version %s, this may take a while." => "ownCloud gëtt op d'Versioun %s aktualiséiert, dat kéint e Moment daueren." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/lt_LT.php b/core/l10n/lt_LT.php index f7fc7203bb8..02852e37d4c 100644 --- a/core/l10n/lt_LT.php +++ b/core/l10n/lt_LT.php @@ -129,7 +129,6 @@ $TRANSLATIONS = array( "Access forbidden" => "Priėjimas draudžiamas", "Cloud not found" => "Negalima rasti", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Labas,\n\nInformuojame, kad %s pasidalino su Jumis %s.\nPažiūrėti tai: %s\n", -"The share will expire on %s.\n\n" => "Bendrinimo laikas baigsis %s.\n", "Cheers!" => "Sveikinimai!", "Security Warning" => "Saugumo pranešimas", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Jūsų PHP versija yra pažeidžiama prieš NULL Byte ataką (CVE-2006-7243)", @@ -162,11 +161,10 @@ $TRANSLATIONS = array( "Log in" => "Prisijungti", "Alternative Logins" => "Alternatyvūs prisijungimai", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Labas,<br><br>tik informuojame, kad %s pasidalino su Jumis »%s«.<br><a href=\"%s\">Peržiūrėk!</a><br><br>", -"The share will expire on %s.<br><br>" => "Bendrinimo laikas baigsis %s.<br><br>", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Susisiekite su savo sistemos administratoriumi jei šis pranešimas nedingsta arba jei jis pasirodė netikėtai.", +"Thank you for your patience." => "Dėkojame už jūsų kantrumą.", "Updating ownCloud to version %s, this may take a while." => "Atnaujinama ownCloud į %s versiją. tai gali šiek tiek užtrukti.", "This ownCloud instance is currently being updated, which may take a while." => "Šiuo metu vyksta ownCloud atnaujinamas, tai gali šiek tiek užtrukti.", -"Please reload this page after a short time to continue using ownCloud." => "Po trupučio laiko atnaujinkite šį puslapį kad galėtumėte toliau naudoti ownCloud.", -"Contact your system administrator if this message persists or appeared unexpectedly." => "Susisiekite su savo sistemos administratoriumi jei šis pranešimas nedingsta arba jei jis pasirodė netikėtai.", -"Thank you for your patience." => "Dėkojame už jūsų kantrumą." +"Please reload this page after a short time to continue using ownCloud." => "Po trupučio laiko atnaujinkite šį puslapį kad galėtumėte toliau naudoti ownCloud." ); $PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/core/l10n/mk.php b/core/l10n/mk.php index 62d319a65ea..7ec7fe8b751 100644 --- a/core/l10n/mk.php +++ b/core/l10n/mk.php @@ -115,7 +115,6 @@ $TRANSLATIONS = array( "Access forbidden" => "Забранет пристап", "Cloud not found" => "Облакот не е најден", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Здраво,\n\nСамо да ве известам дека %s shared %s with you.\nView it: %s\n\n", -"The share will expire on %s.\n\n" => "Споделувањето ќе заврши на %s.\n\n", "Cheers!" => "Поздрав!", "Security Warning" => "Безбедносно предупредување", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Вашата верзија на PHP е ранлива на NULL Byte attack (CVE-2006-7243)", @@ -144,10 +143,10 @@ $TRANSLATIONS = array( "remember" => "запамти", "Log in" => "Најава", "Alternative Logins" => "Алтернативни најавувања", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Контактирајте го вашиот систем администратор до колку оваа порака продолжи да се појавува или пак се појавува ненадејно.", +"Thank you for your patience." => "Благодариме на вашето трпение.", "Updating ownCloud to version %s, this may take a while." => "Надградбата на ownCloud на верзијата %s, може да потрае.", "This ownCloud instance is currently being updated, which may take a while." => "Оваа инстанца на ownCloud во моментов се надградува, што може малку да потрае.", -"Please reload this page after a short time to continue using ownCloud." => "Повторно вчитајте ја оваа страница по кратко време за да продолжите да го користите ownCloud.", -"Contact your system administrator if this message persists or appeared unexpectedly." => "Контактирајте го вашиот систем администратор до колку оваа порака продолжи да се појавува или пак се појавува ненадејно.", -"Thank you for your patience." => "Благодариме на вашето трпение." +"Please reload this page after a short time to continue using ownCloud." => "Повторно вчитајте ја оваа страница по кратко време за да продолжите да го користите ownCloud." ); $PLURAL_FORMS = "nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;"; diff --git a/core/l10n/nl.php b/core/l10n/nl.php index 8b7ad7d32d8..029ad4ab2ce 100644 --- a/core/l10n/nl.php +++ b/core/l10n/nl.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Edit tags" => "Bewerken tags", "Error loading dialog template: {error}" => "Fout bij laden dialoog sjabloon: {error}", "No tags selected for deletion." => "Geen tags geselecteerd voor verwijdering.", +"Please reload the page." => "Herlaad deze pagina.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "De update is niet geslaagd. Meld dit probleem aan bij de <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>.", "The update was successful. Redirecting you to ownCloud now." => "De update is geslaagd. Je wordt teruggeleid naar je eigen ownCloud.", "%s password reset" => "%s wachtwoord reset", @@ -132,7 +133,7 @@ $TRANSLATIONS = array( "Access forbidden" => "Toegang verboden", "Cloud not found" => "Cloud niet gevonden", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hallo daar,\n\neven een berichtje dat %s %s met u deelde.\nBekijk het: %s\n\n", -"The share will expire on %s.\n\n" => "De Share vervalt op %s.\n\n\n\n", +"The share will expire on %s." => "De share vervalt op %s.", "Cheers!" => "Proficiat!", "Security Warning" => "Beveiligingswaarschuwing", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Je PHP-versie is kwetsbaar voor de NULL byte aanval (CVE-2006-7243)", @@ -165,11 +166,12 @@ $TRANSLATIONS = array( "Log in" => "Meld je aan", "Alternative Logins" => "Alternatieve inlogs", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Hallo daar,<br><br>even een berichtje dat %s »%s« met u deelde.<br><a href=\"%s\">Bekijk hier!</a><br><br>", -"The share will expire on %s.<br><br>" => "Het delen stopt op %s.<br><br>", +"This ownCloud instance is currently in single user mode." => "Deze ownCloud werkt momenteel in enkele gebruiker modus.", +"This means only administrators can use the instance." => "Dat betekent dat alleen beheerders deze installatie kunnen gebruiken.", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Beem contact op met uw systeembeheerder als deze melding aanhoudt of plotseling verscheen.", +"Thank you for your patience." => "Bedankt voor uw geduld.", "Updating ownCloud to version %s, this may take a while." => "Updaten ownCloud naar versie %s, dit kan even duren...", "This ownCloud instance is currently being updated, which may take a while." => "Deze ownCloud dienst wordt nu bijgewerkt, dat kan even duren.", -"Please reload this page after a short time to continue using ownCloud." => "Laad deze pagina straks opnieuw om verder te gaan met ownCloud.", -"Contact your system administrator if this message persists or appeared unexpectedly." => "Beem contact op met uw systeembeheerder als deze melding aanhoudt of plotseling verscheen.", -"Thank you for your patience." => "Bedankt voor uw geduld." +"Please reload this page after a short time to continue using ownCloud." => "Laad deze pagina straks opnieuw om verder te gaan met ownCloud." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/pl.php b/core/l10n/pl.php index d9d1730cd4b..93a256bd7ff 100644 --- a/core/l10n/pl.php +++ b/core/l10n/pl.php @@ -61,6 +61,7 @@ $TRANSLATIONS = array( "Error while changing permissions" => "Błąd przy zmianie uprawnień", "Shared with you and the group {group} by {owner}" => "Udostępnione tobie i grupie {group} przez {owner}", "Shared with you by {owner}" => "Udostępnione tobie przez {owner}", +"Share link" => "Udostępnij link", "Password protect" => "Zabezpiecz hasłem", "Password" => "Hasło", "Allow Public Upload" => "Pozwól na publiczne wczytywanie", @@ -74,6 +75,7 @@ $TRANSLATIONS = array( "Resharing is not allowed" => "Współdzielenie nie jest możliwe", "Shared in {item} with {user}" => "Współdzielone w {item} z {user}", "Unshare" => "Zatrzymaj współdzielenie", +"notify by email" => "powiadom przez emaila", "can edit" => "może edytować", "access control" => "kontrola dostępu", "create" => "utwórz", @@ -119,7 +121,6 @@ $TRANSLATIONS = array( "Error untagging" => "Błąd odtagowania", "Access forbidden" => "Dostęp zabroniony", "Cloud not found" => "Nie odnaleziono chmury", -"The share will expire on %s.\n\n" => "Udostępnienie wygaśnie w dniu %s.\n\n", "Cheers!" => "Pozdrawiam!", "Security Warning" => "Ostrzeżenie o zabezpieczeniach", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Twója wersja PHP jest narażona na NULL Byte attack (CVE-2006-7243)", @@ -152,7 +153,7 @@ $TRANSLATIONS = array( "Log in" => "Zaloguj", "Alternative Logins" => "Alternatywne loginy", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Cześć,<br><br>Informuję cię że %s udostępnia ci »%s«.\n<br><a href=\"%s\">Zobacz!</a><br><br>", -"The share will expire on %s.<br><br>" => "Udostępnienie wygaśnie w dniu %s.<br><br>", +"Thank you for your patience." => "Dziękuję za cierpliwość.", "Updating ownCloud to version %s, this may take a while." => "Aktualizowanie ownCloud do wersji %s. Może to trochę potrwać." ); $PLURAL_FORMS = "nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/core/l10n/pt_BR.php b/core/l10n/pt_BR.php index ed98ff09e51..e4dd68b99d1 100644 --- a/core/l10n/pt_BR.php +++ b/core/l10n/pt_BR.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Edit tags" => "Editar etiqueta", "Error loading dialog template: {error}" => "Erro carregando diálogo de formatação:{error}", "No tags selected for deletion." => "Nenhuma etiqueta selecionada para deleção.", +"Please reload the page." => "Por favor recarregue a página", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "A atualização falhou. Por favor, relate este problema para a <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">comunidade ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "A atualização teve êxito. Você será redirecionado ao ownCloud agora.", "%s password reset" => "%s redefinir senha", @@ -132,7 +133,7 @@ $TRANSLATIONS = array( "Access forbidden" => "Acesso proibido", "Cloud not found" => "Cloud não encontrado", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Olá,\n\ngostaria que você soubesse que %s compartilhou %s com vecê.\nVeja isto: %s\n\n", -"The share will expire on %s.\n\n" => "O compartilhamento irá expirer em %s.\n\n", +"The share will expire on %s." => "O compartilhamento irá expirar em %s.", "Cheers!" => "Saúde!", "Security Warning" => "Aviso de Segurança", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Sua versão do PHP está vulnerável ao ataque NULL Byte (CVE-2006-7243)", @@ -153,6 +154,7 @@ $TRANSLATIONS = array( "Database host" => "Host do banco de dados", "Finish setup" => "Concluir configuração", "Finishing …" => "Finalizando ...", +"This application requires JavaScript to be enabled for correct operation. Please <a href=\"http://enable-javascript.com/\" target=\"_blank\">enable JavaScript</a> and re-load this interface." => "Esta aplicação reque JavaScript habilidado para correta operação.\nPor favor <a href=\"http://enable-javascript.com/\" target=\"_blank\">habilite JavaScript</a> e recarregue esta esta interface.", "%s is available. Get more information on how to update." => "%s está disponível. Obtenha mais informações sobre como atualizar.", "Log out" => "Sair", "Automatic logon rejected!" => "Entrada Automática no Sistema Rejeitada!", @@ -165,11 +167,12 @@ $TRANSLATIONS = array( "Log in" => "Fazer login", "Alternative Logins" => "Logins alternativos", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Olá,<br><br>só gostaria que você soubesse que %s compartilhou »%s« com você.<br><a href=\"%s\">Veja isto!</a><br><br", -"The share will expire on %s.<br><br>" => "O compartilhamento irá expirar em %s.<br><br>", +"This ownCloud instance is currently in single user mode." => "Nesta instância ownCloud está em modo de usuário único.", +"This means only administrators can use the instance." => "Isso significa que apenas os administradores podem usar o exemplo.", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Contacte o seu administrador do sistema se esta mensagem persistir ou aparecer inesperadamente.", +"Thank you for your patience." => "Obrigado pela sua paciência.", "Updating ownCloud to version %s, this may take a while." => "Atualizando ownCloud para a versão %s, isto pode levar algum tempo.", "This ownCloud instance is currently being updated, which may take a while." => "Esta instância do ownCloud está sendo atualizada, o que pode demorar um pouco.", -"Please reload this page after a short time to continue using ownCloud." => "Por favor, atualize esta página depois de um curto período de tempo para continuar usando ownCloud.", -"Contact your system administrator if this message persists or appeared unexpectedly." => "Contacte o seu administrador do sistema se esta mensagem persistir ou aparecer inesperadamente.", -"Thank you for your patience." => "Obrigado pela sua paciência." +"Please reload this page after a short time to continue using ownCloud." => "Por favor, atualize esta página depois de um curto período de tempo para continuar usando ownCloud." ); $PLURAL_FORMS = "nplurals=2; plural=(n > 1);"; diff --git a/core/l10n/ru.php b/core/l10n/ru.php index 68cbad60d3f..ec505f6f5fa 100644 --- a/core/l10n/ru.php +++ b/core/l10n/ru.php @@ -102,6 +102,7 @@ $TRANSLATIONS = array( "Edit tags" => "Изменить метки", "Error loading dialog template: {error}" => "Ошибка загрузки шаблона диалога: {error}", "No tags selected for deletion." => "Не выбраны меток для удаления.", +"Please reload the page." => "Пожалуйста, перезагрузите страницу.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "При обновлении произошла ошибка. Пожалуйста сообщите об этом в <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud сообщество</a>.", "The update was successful. Redirecting you to ownCloud now." => "Обновление прошло успешно. Перенаправляемся в Ваш ownCloud...", "%s password reset" => "%s сброс пароля", @@ -132,7 +133,7 @@ $TRANSLATIONS = array( "Access forbidden" => "Доступ запрещён", "Cloud not found" => "Облако не найдено", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Здравствуйте,\n\nпросто даём вам знать, что %s расшарил %s для вас.\nПосмотреть: %s\n\n", -"The share will expire on %s.\n\n" => "Шара закончится %s\n\n", +"The share will expire on %s." => "Доступ пропадет в %s", "Cheers!" => "Приветствуем!", "Security Warning" => "Предупреждение безопасности", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Ваша версия PHP уязвима к атаке NULL Byte (CVE-2006-7243)", @@ -165,11 +166,12 @@ $TRANSLATIONS = array( "Log in" => "Войти", "Alternative Logins" => "Альтернативные имена пользователя", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Здравствуйте,<br><br>просто даём вам знать, что %s расшарил %s для вас.<br><a href=\"%s\">Посмотреть!</a><br><br>", -"The share will expire on %s.<br><br>" => "Шара закончится %s.<br><br>", +"This ownCloud instance is currently in single user mode." => "Эта установка ownCloud в настоящее время в однопользовательском режиме.", +"This means only administrators can use the instance." => "Это значит, что только администраторы могут использовать эту установку.", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Обратитесь к вашему системному администратору если это сообщение не исчезает или появляется неожиданно.", +"Thank you for your patience." => "Спасибо за терпение.", "Updating ownCloud to version %s, this may take a while." => "Идёт обновление ownCloud до версии %s. Это может занять некоторое время.", "This ownCloud instance is currently being updated, which may take a while." => "Производится обновление ownCloud, это может занять некоторое время.", -"Please reload this page after a short time to continue using ownCloud." => "Перезагрузите эту страницу через короткое время чтобы продолжить использовать ownCloud.", -"Contact your system administrator if this message persists or appeared unexpectedly." => "Обратитесь к вашему системному администратору если это сообщение не исчезает или появляется неожиданно.", -"Thank you for your patience." => "Спасибо за ваше терпение." +"Please reload this page after a short time to continue using ownCloud." => "Перезагрузите эту страницу через некоторое время чтобы продолжить использовать ownCloud." ); $PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/core/l10n/ru_RU.php b/core/l10n/ru_RU.php index 06e9392092b..81ce456e142 100644 --- a/core/l10n/ru_RU.php +++ b/core/l10n/ru_RU.php @@ -12,7 +12,9 @@ $TRANSLATIONS = array( "Share" => "Сделать общим", "Error" => "Ошибка", "Password" => "Пароль", +"can edit" => "возможно редактирование", "Warning" => "Предупреждение", +"Delete" => "Удалить", "Username" => "Имя пользователя", "Help" => "Помощь" ); diff --git a/core/l10n/sk_SK.php b/core/l10n/sk_SK.php index 1957a5d65bd..b46b04c9fd1 100644 --- a/core/l10n/sk_SK.php +++ b/core/l10n/sk_SK.php @@ -58,6 +58,7 @@ $TRANSLATIONS = array( "Continue" => "Pokračovať", "(all selected)" => "(všetko vybrané)", "({count} selected)" => "({count} vybraných)", +"Error loading file exists template" => "Chyba pri nahrávaní šablóny existencie súboru", "Shared" => "Zdieľané", "Share" => "Zdieľať", "Error" => "Chyba", @@ -101,6 +102,7 @@ $TRANSLATIONS = array( "Edit tags" => "Upraviť štítky", "Error loading dialog template: {error}" => "Chyba pri načítaní šablóny dialógu: {error}", "No tags selected for deletion." => "Nie sú vybraté štítky na zmazanie.", +"Please reload the page." => "Obnovte prosím stránku.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Aktualizácia nebola úspešná. Problém nahláste na <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>.", "The update was successful. Redirecting you to ownCloud now." => "Aktualizácia bola úspešná. Presmerovávam na prihlasovaciu stránku.", "%s password reset" => "reset hesla %s", @@ -131,7 +133,7 @@ $TRANSLATIONS = array( "Access forbidden" => "Prístup odmietnutý", "Cloud not found" => "Nenájdené", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Ahoj,\n\nchcem ti dať navedomie, že %s zdieľa %s s tebou.\nZobrazenie tu: %s\n\n", -"The share will expire on %s.\n\n" => "Zdieľanie vyexpiruje %s.\n\n", +"The share will expire on %s." => "Zdieľanie expiruje %s.", "Cheers!" => "Za zdravie!", "Security Warning" => "Bezpečnostné varovanie", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Verzia Vášho PHP je napadnuteľná pomocou techniky \"NULL Byte\" (CVE-2006-7243)", @@ -164,10 +166,12 @@ $TRANSLATIONS = array( "Log in" => "Prihlásiť sa", "Alternative Logins" => "Alternatívne prihlásenie", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Ahoj,<br><br>chcem ti dať navedomie, že %s zdieľa »%s« s tebou.<br><a href=\"%s\">Zobrazenie tu!</a><br><br>", -"The share will expire on %s.<br><br>" => "Zdieľanie vyexpiruje %s.<br><br>", +"This ownCloud instance is currently in single user mode." => "Táto inštancia ownCloudu je teraz v jednopoužívateľskom móde.", +"This means only administrators can use the instance." => "Len správca systému môže používať túto inštanciu.", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Kontaktujte prosím správcu systému, ak sa táto správa objavuje opakovane alebo neočakávane.", +"Thank you for your patience." => "Ďakujeme za Vašu trpezlivosť.", "Updating ownCloud to version %s, this may take a while." => "Aktualizujem ownCloud na verziu %s, môže to chvíľu trvať.", "This ownCloud instance is currently being updated, which may take a while." => "Táto inštancia ownCloud sa práve aktualizuje, čo môže nejaký čas trvať.", -"Please reload this page after a short time to continue using ownCloud." => "Prosím obnovte túto stránku a po krátkej dobe môžete pokračovať v používaní.", -"Thank you for your patience." => "Ďakujeme za Vašu trpezlivosť." +"Please reload this page after a short time to continue using ownCloud." => "Prosím obnovte túto stránku a po krátkej dobe môžete pokračovať v používaní." ); $PLURAL_FORMS = "nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;"; diff --git a/core/l10n/sl.php b/core/l10n/sl.php index 0279fb4146f..657bc60c18e 100644 --- a/core/l10n/sl.php +++ b/core/l10n/sl.php @@ -1,9 +1,18 @@ <?php $TRANSLATIONS = array( -"%s shared »%s« with you" => "%s je delil »%s« z vami", +"%s shared »%s« with you" => "%s je omogočil souporabo »%s«", +"Couldn't send mail to following users: %s " => "Ni mogoče poslati sporočila za: %s", +"Turned on maintenance mode" => "Vzdrževalni način je omogočen", +"Turned off maintenance mode" => "Vzdrževalni način je onemogočen", "Updated database" => "Posodobljena podatkovna zbirka", +"Updating filecache, this may take really long..." => "Poteka posodabljanje predpomnilnika datotek. Opravilo je lahko dolgotrajno ...", +"Updated filecache" => "Predpomnilnik datotek je posodobljen", +"... %d%% done ..." => "... %d%% končano ...", +"No image or file provided" => "Ni podane datoteke ali slike", "Unknown filetype" => "Neznana vrsta datoteke", "Invalid image" => "Neveljavna slika", +"No temporary profile picture available, try again" => "Na voljo ni nobene začasne slike za profil. Poskusite znova.", +"No crop data provided" => "Ni podanih podatkov obreza", "Sunday" => "nedelja", "Monday" => "ponedeljek", "Tuesday" => "torek", @@ -25,25 +34,31 @@ $TRANSLATIONS = array( "December" => "december", "Settings" => "Nastavitve", "seconds ago" => "pred nekaj sekundami", -"_%n minute ago_::_%n minutes ago_" => array("","","","pred %n minutami"), -"_%n hour ago_::_%n hours ago_" => array("","","","pred %n urami"), +"_%n minute ago_::_%n minutes ago_" => array("pred %n minuto","pred %n minutama","pred %n minutami","pred %n minutami"), +"_%n hour ago_::_%n hours ago_" => array("pred %n uro","pred %n urama","pred %n urami","pred %n urami"), "today" => "danes", "yesterday" => "včeraj", -"_%n day ago_::_%n days ago_" => array("","","","pred %n dnevi"), +"_%n day ago_::_%n days ago_" => array("pred %n dnevom","pred %n dnevoma","pred %n dnevi","pred %n dnevi"), "last month" => "zadnji mesec", -"_%n month ago_::_%n months ago_" => array("","","","pred %n meseci"), +"_%n month ago_::_%n months ago_" => array("pred %n mesecem","pred %n mesecema","pred %n meseci","pred %n meseci"), "months ago" => "mesecev nazaj", "last year" => "lansko leto", "years ago" => "let nazaj", "Choose" => "Izbor", +"Error loading file picker template: {error}" => "Napaka nalaganja predloge izbirnika datotek: {error}", "Yes" => "Da", "No" => "Ne", "Ok" => "V redu", -"_{count} file conflict_::_{count} file conflicts_" => array("","","",""), +"Error loading message template: {error}" => "Napaka nalaganja predloge sporočil: {error}", +"_{count} file conflict_::_{count} file conflicts_" => array("{count} spor datotek","{count} spora datotek","{count} spori datotek","{count} sporov datotek"), +"One file conflict" => "En spor datotek", +"Which files do you want to keep?" => "Katare datoteke želite ohraniti?", +"If you select both versions, the copied file will have a number added to its name." => "Če izberete obe različici, bo kopirani datoteki k imenu dodana številka.", "Cancel" => "Prekliči", "Continue" => "Nadaljuj", "(all selected)" => "(vse izbrano)", "({count} selected)" => "({count} izbranih)", +"Error loading file exists template" => "Napaka nalaganja predloge obstoječih datotek", "Shared" => "V souporabi", "Share" => "Souporaba", "Error" => "Napaka", @@ -52,19 +67,22 @@ $TRANSLATIONS = array( "Error while changing permissions" => "Napaka med spreminjanjem dovoljenj", "Shared with you and the group {group} by {owner}" => "V souporabi z vami in skupino {group}. Lastnik je {owner}.", "Shared with you by {owner}" => "V souporabi z vami. Lastnik je {owner}.", +"Share with user or group …" => "Souporaba z uporabnikom ali skupino ...", +"Share link" => "Povezava za prejem", "Password protect" => "Zaščiti z geslom", "Password" => "Geslo", -"Allow Public Upload" => "Dovoli javne prenose na strežnik", +"Allow Public Upload" => "Dovoli javno pošiljanje na strežnik", "Email link to person" => "Posreduj povezavo po elektronski pošti", "Send" => "Pošlji", "Set expiration date" => "Nastavi datum preteka", "Expiration date" => "Datum preteka", -"Share via email:" => "Souporaba preko elektronske pošte:", +"Share via email:" => "Pošlji povezavo do dokumenta preko elektronske pošte:", "No people found" => "Ni najdenih uporabnikov", "group" => "skupina", "Resharing is not allowed" => "Nadaljnja souporaba ni dovoljena", -"Shared in {item} with {user}" => "V souporabi v {item} z {user}", +"Shared in {item} with {user}" => "V souporabi v {item} z uporabnikom {user}", "Unshare" => "Prekliči souporabo", +"notify by email" => "obvesti po elektronski pošti", "can edit" => "lahko ureja", "access control" => "nadzor dostopa", "create" => "ustvari", @@ -78,17 +96,22 @@ $TRANSLATIONS = array( "Email sent" => "Elektronska pošta je poslana", "Warning" => "Opozorilo", "The object type is not specified." => "Vrsta predmeta ni podana.", +"Enter new" => "Vnesite novo", "Delete" => "Izbriši", "Add" => "Dodaj", "Edit tags" => "Uredi oznake", +"Error loading dialog template: {error}" => "Napaka nalaganja predloge pogovornega okna: {error}", +"No tags selected for deletion." => "Ni izbranih oznak za izbris.", +"Please reload the page." => "Stran je treba ponovno naložiti", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Posodobitev ni uspela. Pošljite poročilo o napaki na sistemu <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "Posodobitev je uspešno končana. Stran bo preusmerjena na oblak ownCloud.", +"%s password reset" => "Ponastavitev gesla %s", "Use the following link to reset your password: {link}" => "Za ponastavitev gesla uporabite povezavo: {link}", "The link to reset your password has been sent to your email.<br>If you do not receive it within a reasonable amount of time, check your spam/junk folders.<br>If it is not there ask your local administrator ." => "Povezava za ponastavitev gesla je bila poslana na elektronski naslov.<br>V kolikor sporočila ne prejmete v doglednem času, preverite tudi mape vsiljene pošte.<br>Če ne bo niti tam, stopite v stik s skrbnikom.", "Request failed!<br>Did you make sure your email/username was right?" => "Zahteva je spodletela!<br>Ali sta elektronski naslov oziroma uporabniško ime navedena pravilno?", "You will receive a link to reset your password via Email." => "Na elektronski naslov boste prejeli povezavo za ponovno nastavitev gesla.", "Username" => "Uporabniško ime", -"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "Datoteke so šifrirane. Če niste omogočili ključa za obnovitev, žal podatkov ne bo mogoče pridobiti nazaj, ko boste geslo enkrat spremenili. Če niste prepričani, kaj storiti, se obrnite na skrbnika storitve. Ste prepričani, da želite nadaljevati?", +"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "Datoteke so šifrirane. Če niste omogočili ključa za obnovitev, žal podatkov ne bo mogoče pridobiti nazaj, ko boste geslo enkrat spremenili. Če niste prepričani, kaj storiti, se obrnite na skrbnika storitve. Ali ste prepričani, da želite nadaljevati?", "Yes, I really want to reset my password now" => "Da, potrjujem ponastavitev gesla", "Reset" => "Ponastavi", "Your password was reset" => "Geslo je ponovno nastavljeno", @@ -101,15 +124,24 @@ $TRANSLATIONS = array( "Admin" => "Skrbništvo", "Help" => "Pomoč", "Error loading tags" => "Napaka nalaganja oznak", +"Tag already exists" => "Oznaka že obstaja", +"Error deleting tag(s)" => "Napaka brisanja oznak", +"Error tagging" => "Napaka označevanja", +"Error untagging" => "Napaka odstranjevanja oznak", +"Error favoriting" => "Napaka označevanja priljubljenosti", +"Error unfavoriting" => "Napaka odstranjevanja oznake priljubljenosti", "Access forbidden" => "Dostop je prepovedan", "Cloud not found" => "Oblaka ni mogoče najti", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Pozdravljeni,\n\noseba %s vam je omogočila souporabo %s.\nVir si lahko ogledate: %s\n\n", +"The share will expire on %s." => "Povezava souporabe bo potekla %s.", +"Cheers!" => "Na zdravje!", "Security Warning" => "Varnostno opozorilo", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Uporabljena različica PHP je ranljiva za napad NULL Byte (CVE-2006-7243)", -"Please update your PHP installation to use %s securely." => "Za varno uporabo storitve %s posodobite PHP", +"Please update your PHP installation to use %s securely." => "Za varno uporabo storitve %s, je treba posodobiti namestitev PHP", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "Na voljo ni nobenega varnega ustvarjalnika naključnih števil. Omogočiti je treba razširitev PHP OpenSSL.", "Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "Brez varnega ustvarjalnika naključnih števil je mogoče napovedati žetone za ponastavitev gesla, s čimer je mogoče prevzeti nadzor nad računom.", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." => "Podatkovna mapa in datoteke so najverjetneje javno dostopni preko interneta, saj datoteka .htaccess ni ustrezno nastavljena.", -"For information how to properly configure your server, please see the <a href=\"%s\" target=\"_blank\">documentation</a>." => "Za navodila, kako pravilno nastaviti vaš strežnik, kliknite na povezavo do <a href=\"%s\" target=\"_blank\">dokumentacije</a>.", +"For information how to properly configure your server, please see the <a href=\"%s\" target=\"_blank\">documentation</a>." => "Za več informacij o pravilnem nastavljanju strežnika, kliknite na povezavo do <a href=\"%s\" target=\"_blank\">dokumentacije</a>.", "Create an <strong>admin account</strong>" => "Ustvari <strong>skrbniški račun</strong>", "Advanced" => "Napredne možnosti", "Data folder" => "Podatkovna mapa", @@ -120,17 +152,26 @@ $TRANSLATIONS = array( "Database name" => "Ime podatkovne zbirke", "Database tablespace" => "Razpredelnica podatkovne zbirke", "Database host" => "Gostitelj podatkovne zbirke", -"Finish setup" => "Končaj namestitev", +"Finish setup" => "Končaj nastavitev", "Finishing …" => "Poteka zaključevanje opravila ...", "%s is available. Get more information on how to update." => "%s je na voljo. Pridobite več podrobnosti za posodobitev.", "Log out" => "Odjava", "Automatic logon rejected!" => "Samodejno prijavljanje je zavrnjeno!", "If you did not change your password recently, your account may be compromised!" => "V primeru, da gesla za dostop že nekaj časa niste spremenili, je račun lahko ogrožen!", "Please change your password to secure your account again." => "Spremenite geslo za izboljšanje zaščite računa.", +"Server side authentication failed!" => "Overitev s strežnika je spodletela!", +"Please contact your administrator." => "Stopite v stik s skrbnikom sistema.", "Lost your password?" => "Ali ste pozabili geslo?", "remember" => "zapomni si", "Log in" => "Prijava", "Alternative Logins" => "Druge prijavne možnosti", -"Updating ownCloud to version %s, this may take a while." => "Posodabljanje sistema ownCloud na različico %s je lahko dolgotrajno." +"Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Pozdravljeni,<br><br>oseba %s vam je omogočila souporabo %s.<br>Vir si lahko ogledate na <a href=\"%s\">tem naslovu</a>.<br><br>", +"This ownCloud instance is currently in single user mode." => "Ta seja oblaka ownCloud je trenutno v načinu enega sočasnega uporabnika.", +"This means only administrators can use the instance." => "To pomeni, da lahko oblak uporabljajo le osebe s skrbniškimi dovoljenji.", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Stopite v stik s skrbnikom sistema, če se bo sporočilo še naprej nepričakovano prikazovalo.", +"Thank you for your patience." => "Hvala za potrpežljivost!", +"Updating ownCloud to version %s, this may take a while." => "Posodabljanje sistema ownCloud na različico %s je lahko dolgotrajno.", +"This ownCloud instance is currently being updated, which may take a while." => "Nastavitev oblaka ownCloud se trenutno posodablja. Opravilo je lahko dolgotrajno ...", +"Please reload this page after a short time to continue using ownCloud." => "Ponovno naložite to stran po krajšem preteku časa in nadaljujte z uporabo oblaka ownCloud." ); $PLURAL_FORMS = "nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"; diff --git a/core/l10n/sv.php b/core/l10n/sv.php index b668bc108d9..fe67ae9aefe 100644 --- a/core/l10n/sv.php +++ b/core/l10n/sv.php @@ -132,7 +132,7 @@ $TRANSLATIONS = array( "Access forbidden" => "Åtkomst förbjuden", "Cloud not found" => "Hittade inget moln", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Hej där,⏎\n⏎\nville bara meddela dig att %s delade %s med dig.⏎\nTitta på den: %s⏎\n⏎\n", -"The share will expire on %s.\n\n" => "Utdelningen kommer att upphöra %s.⏎\n⏎\n", +"The share will expire on %s." => "Utdelningen kommer att upphöra %s.", "Cheers!" => "Vi höres!", "Security Warning" => "Säkerhetsvarning", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Din version av PHP är sårbar för NULL byte attack (CVE-2006-7243)", @@ -165,11 +165,10 @@ $TRANSLATIONS = array( "Log in" => "Logga in", "Alternative Logins" => "Alternativa inloggningar", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Hej där,<br><br>ville bara informera dig om att %s delade »%s« med dig.<br><a href=\"%s\">Titta på den!</a><br><br>", -"The share will expire on %s.<br><br>" => "Utdelningen kommer att upphöra %s.<br><br>", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Hör av dig till din system administratör ifall detta meddelande fortsätter eller visas oväntat.", +"Thank you for your patience." => "Tack för ditt tålamod.", "Updating ownCloud to version %s, this may take a while." => "Uppdaterar ownCloud till version %s, detta kan ta en stund.", "This ownCloud instance is currently being updated, which may take a while." => "Denna ownCloud instans håller på att uppdatera, vilket kan ta ett tag.", -"Please reload this page after a short time to continue using ownCloud." => "Var god och ladda om denna sida efter en kort stund för att fortsätta använda ownCloud.", -"Contact your system administrator if this message persists or appeared unexpectedly." => "Hör av dig till din system administratör ifall detta meddelande fortsätter eller visas oväntat.", -"Thank you for your patience." => "Tack för ditt tålamod." +"Please reload this page after a short time to continue using ownCloud." => "Var god och ladda om denna sida efter en kort stund för att fortsätta använda ownCloud." ); $PLURAL_FORMS = "nplurals=2; plural=(n != 1);"; diff --git a/core/l10n/tr.php b/core/l10n/tr.php index 46cbaf8b142..2245f0714ba 100644 --- a/core/l10n/tr.php +++ b/core/l10n/tr.php @@ -1,6 +1,6 @@ <?php $TRANSLATIONS = array( -"%s shared »%s« with you" => "%s sizinle »%s« paylaşımında bulundu", +"%s shared »%s« with you" => "%s sizinle »%s« paylaşımında bulundu", "Couldn't send mail to following users: %s " => "Şu kullanıcılara posta gönderilemedi: %s", "Turned on maintenance mode" => "Bakım kipi etkinleştirildi", "Turned off maintenance mode" => "Bakım kipi kapatıldı", @@ -63,15 +63,15 @@ $TRANSLATIONS = array( "Share" => "Paylaş", "Error" => "Hata", "Error while sharing" => "Paylaşım sırasında hata ", -"Error while unsharing" => "Paylaşım iptal ediliyorken hata", +"Error while unsharing" => "Paylaşım iptal edilirken hata", "Error while changing permissions" => "İzinleri değiştirirken hata oluştu", -"Shared with you and the group {group} by {owner}" => " {owner} tarafından sizinle ve {group} ile paylaştırılmış", +"Shared with you and the group {group} by {owner}" => "{owner} tarafından sizinle ve {group} ile paylaştırılmış", "Shared with you by {owner}" => "{owner} trafından sizinle paylaştırıldı", "Share with user or group …" => "Kullanıcı veya grup ile paylaş..", "Share link" => "Paylaşma bağlantısı", "Password protect" => "Parola koruması", "Password" => "Parola", -"Allow Public Upload" => "Herkes tarafından yüklemeye izin ver", +"Allow Public Upload" => "Genel Gönderime İzin Ver", "Email link to person" => "Bağlantıyı e-posta ile gönder", "Send" => "Gönder", "Set expiration date" => "Son kullanma tarihini ayarla", @@ -80,7 +80,7 @@ $TRANSLATIONS = array( "No people found" => "Kişi bulunamadı", "group" => "grup", "Resharing is not allowed" => "Tekrar paylaşmaya izin verilmiyor", -"Shared in {item} with {user}" => " {item} içinde {user} ile paylaşılanlarlar", +"Shared in {item} with {user}" => "{item} içinde {user} ile paylaşılanlar", "Unshare" => "Paylaşılmayan", "notify by email" => "e-posta ile bildir", "can edit" => "düzenleyebilir", @@ -102,16 +102,17 @@ $TRANSLATIONS = array( "Edit tags" => "Etiketleri düzenle", "Error loading dialog template: {error}" => "İletişim şablonu yüklenirken hata: {error}", "No tags selected for deletion." => "Silmek için bir etiket seçilmedi.", +"Please reload the page." => "Lütfen sayfayı yeniden yükleyin.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Güncelleme başarılı olmadı. Lütfen bu hatayı bildirin <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>.", "The update was successful. Redirecting you to ownCloud now." => "Güncelleme başarılı. ownCloud'a yönlendiriliyor.", "%s password reset" => "%s parola sıfırlama", "Use the following link to reset your password: {link}" => "Bu bağlantıyı kullanarak parolanızı sıfırlayın: {link}", "The link to reset your password has been sent to your email.<br>If you do not receive it within a reasonable amount of time, check your spam/junk folders.<br>If it is not there ask your local administrator ." => "Parolanızı değiştirme bağlantısı e-posta adresinize gönderildi.<br>Eğer makül bir süre içerisinde mesajı almadıysanız spam/junk dizinini kontrol ediniz.<br> Eğer orada da bulamazsanız sistem yöneticinize sorunuz.", -"Request failed!<br>Did you make sure your email/username was right?" => "Isteği başarısız oldu!<br>E-posta / kullanıcı adınızı doğru olduğundan emin misiniz?", +"Request failed!<br>Did you make sure your email/username was right?" => "İstek başarısız!<br>E-posta ve/veya kullanıcı adınızın doğru olduğundan emin misiniz?", "You will receive a link to reset your password via Email." => "Parolanızı sıfırlamak için bir bağlantıyı e-posta olarak alacaksınız.", "Username" => "Kullanıcı Adı", -"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "Dosyalarınız şifrelenmiş. Eğer kurtarma anahtarını aktif etmediyseniz parola sıfırlama işleminden sonra verilerinize erişmeniz imkansız olacak. Eğer ne yaptığınızdan emin değilseniz, devam etmeden önce sistem yöneticiniz ile irtibata geçiniz. Gerçekten devam etmek istiyor musunuz?", -"Yes, I really want to reset my password now" => "Evet,Şu anda parolamı sıfırlamak istiyorum.", +"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "Dosyalarınız şifrelenmiş. Eğer kurtarma anahtarını etkinleştirmediyseniz parola sıfırlama işleminden sonra verilerinize erişmeniz imkansız olacak. Eğer ne yaptığınızdan emin değilseniz, devam etmeden önce sistem yöneticiniz ile irtibata geçiniz. Gerçekten devam etmek istiyor musunuz?", +"Yes, I really want to reset my password now" => "Evet, gerçekten parolamı şimdi sıfırlamak istiyorum", "Reset" => "Sıfırla", "Your password was reset" => "Parolanız sıfırlandı", "To login page" => "Giriş sayfasına git", @@ -132,13 +133,13 @@ $TRANSLATIONS = array( "Access forbidden" => "Erişim yasaklı", "Cloud not found" => "Bulut bulunamadı", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Merhaba,\n\nSadece %s sizinle %s paylaşımını yaptığını bildiriyoruz.\nBuradan bakabilirsiniz: %s\n\n", -"The share will expire on %s.\n\n" => "Paylaşım %s tarihinde bitecektir.\n\n", +"The share will expire on %s." => "Bu paylaşım %s tarihinde sona erecek.", "Cheers!" => "Şerefe!", "Security Warning" => "Güvenlik Uyarisi", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "PHP sürümünüz NULL Byte saldırısına açık (CVE-2006-7243)", "Please update your PHP installation to use %s securely." => "%s güvenli olarak kullanmak için, lütfen PHP kurulumunuzu güncelleyin.", -"No secure random number generator is available, please enable the PHP OpenSSL extension." => "Güvenli rasgele sayı üreticisi bulunamadı. Lütfen PHP OpenSSL eklentisini etkinleştirin.", -"Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "Güvenli rasgele sayı üreticisi olmadan saldırganlar parola sıfırlama simgelerini tahmin edip hesabınızı ele geçirebilir.", +"No secure random number generator is available, please enable the PHP OpenSSL extension." => "Güvenli rastgele sayı üreticisi bulunamadı. Lütfen PHP OpenSSL eklentisini etkinleştirin.", +"Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "Güvenli rastgele sayı üreticisi olmadan saldırganlar parola sıfırlama simgelerini tahmin edip hesabınızı ele geçirebilir.", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." => "Veri klasörünüz ve dosyalarınız .htaccess dosyası çalışmadığı için internet'ten erişime açık.", "For information how to properly configure your server, please see the <a href=\"%s\" target=\"_blank\">documentation</a>." => "Server'ınızı nasıl ayarlayacağınıza dair bilgi için, lütfen <a href=\"%s\" target=\"_blank\">dokümantasyon sayfasını</a> ziyaret edin.", "Create an <strong>admin account</strong>" => "Bir <strong>yönetici hesabı</strong> oluşturun", @@ -153,7 +154,8 @@ $TRANSLATIONS = array( "Database host" => "Veritabanı sunucusu", "Finish setup" => "Kurulumu tamamla", "Finishing …" => "Tamamlanıyor ..", -"%s is available. Get more information on how to update." => "%s mevcuttur. Güncelleştirme hakkında daha fazla bilgi alın.", +"This application requires JavaScript to be enabled for correct operation. Please <a href=\"http://enable-javascript.com/\" target=\"_blank\">enable JavaScript</a> and re-load this interface." => "Uygulama, doğru çalışabilmesi için JavaScript'in etkinleştirilmesini gerektiriyor. Lütfen <a href=\"http://enable-javascript.com/\" target=\"_blank\">JavaScript'i etkinleştirin</a> ve bu arayüzü yeniden yükleyin.", +"%s is available. Get more information on how to update." => "%s mevcut. Güncelleştirme hakkında daha fazla bilgi alın.", "Log out" => "Çıkış yap", "Automatic logon rejected!" => "Otomatik oturum açma reddedildi!", "If you did not change your password recently, your account may be compromised!" => "Yakın zamanda parolanızı değiştirmediyseniz hesabınız tehlikede olabilir!", @@ -165,11 +167,12 @@ $TRANSLATIONS = array( "Log in" => "Giriş yap", "Alternative Logins" => "Alternatif Girişler", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Merhaba, <br><br> %s sizinle »%s« paylaşımında bulundu.<br><a href=\"%s\">Paylaşımı gör!</a><br><br>İyi günler!", -"The share will expire on %s.<br><br>" => "Bu paylaşım %s tarihinde dolacaktır.<br><br>", -"Updating ownCloud to version %s, this may take a while." => "Owncloud %s versiyonuna güncelleniyor. Biraz zaman alabilir.", -"This ownCloud instance is currently being updated, which may take a while." => "Bu ownCloud örneği şu anda güncelleniyor, bu biraz zaman alabilir.", -"Please reload this page after a short time to continue using ownCloud." => "ownCloud kullanmaya devam etmek için kısa bir süre sonra lütfen sayfayı yenileyin.", +"This ownCloud instance is currently in single user mode." => "Bu ownCloud örneği şu anda tek kullanıcı kipinde.", +"This means only administrators can use the instance." => "Bu, örneği sadece yöneticiler kullanabilir demektir.", "Contact your system administrator if this message persists or appeared unexpectedly." => "Eğer bu ileti görünmeye devam ederse veya beklenmedik şekilde ortaya çıkmışsa sistem yöneticinizle iletişime geçin.", -"Thank you for your patience." => "Sabrınız için teşekkür ederiz." +"Thank you for your patience." => "Sabrınız için teşekkür ederiz.", +"Updating ownCloud to version %s, this may take a while." => "Owncloud %s sürümüne güncelleniyor. Biraz zaman alabilir.", +"This ownCloud instance is currently being updated, which may take a while." => "Bu ownCloud örneği şu anda güncelleniyor, bu biraz zaman alabilir.", +"Please reload this page after a short time to continue using ownCloud." => "ownCloud kullanmaya devam etmek için kısa bir süre sonra lütfen sayfayı yenileyin." ); $PLURAL_FORMS = "nplurals=2; plural=(n > 1);"; diff --git a/core/l10n/uk.php b/core/l10n/uk.php index bc143494027..3cc151f5a29 100644 --- a/core/l10n/uk.php +++ b/core/l10n/uk.php @@ -1,5 +1,18 @@ <?php $TRANSLATIONS = array( +"%s shared »%s« with you" => "%s розподілено »%s« з тобою", +"Couldn't send mail to following users: %s " => "Неможливо надіслати пошту наступним користувачам: %s ", +"Turned on maintenance mode" => "Увімкнено захищений режим", +"Turned off maintenance mode" => "Вимкнено захищений режим", +"Updated database" => "Базу даних оновлено", +"Updating filecache, this may take really long..." => "Оновлення файлового кешу, це може тривати доволі довго...", +"Updated filecache" => "Файловий кеш оновлено", +"... %d%% done ..." => "... %d%% виконано ...", +"No image or file provided" => "Немає наданого зображення або файлу", +"Unknown filetype" => "Невідомий тип файлу", +"Invalid image" => "Невірне зображення", +"No temporary profile picture available, try again" => "Немає доступного тимчасового профілю для малюнків, спробуйте ще раз", +"No crop data provided" => "Немає інформації щодо обрізки даних", "Sunday" => "Неділя", "Monday" => "Понеділок", "Tuesday" => "Вівторок", @@ -21,22 +34,31 @@ $TRANSLATIONS = array( "December" => "Грудень", "Settings" => "Налаштування", "seconds ago" => "секунди тому", -"_%n minute ago_::_%n minutes ago_" => array("","",""), -"_%n hour ago_::_%n hours ago_" => array("","",""), +"_%n minute ago_::_%n minutes ago_" => array("%n хвилину тому","%n хвилини тому","%n хвилин тому"), +"_%n hour ago_::_%n hours ago_" => array("%n годину тому","%n години тому","%n годин тому"), "today" => "сьогодні", "yesterday" => "вчора", -"_%n day ago_::_%n days ago_" => array("","",""), +"_%n day ago_::_%n days ago_" => array("%n день тому","%n дні тому","%n днів тому"), "last month" => "минулого місяця", -"_%n month ago_::_%n months ago_" => array("","",""), +"_%n month ago_::_%n months ago_" => array("%n місяць тому","%n місяці тому","%n місяців тому"), "months ago" => "місяці тому", "last year" => "минулого року", "years ago" => "роки тому", "Choose" => "Обрати", +"Error loading file picker template: {error}" => "Помилка при завантаженні шаблону вибору: {error}", "Yes" => "Так", "No" => "Ні", "Ok" => "Ok", -"_{count} file conflict_::_{count} file conflicts_" => array("","",""), +"Error loading message template: {error}" => "Помилка при завантаженні шаблону повідомлення: {error}", +"_{count} file conflict_::_{count} file conflicts_" => array("{count} файловий конфлікт","{count} файлових конфліктів","{count} файлових конфліктів"), +"One file conflict" => "Один файловий конфлікт", +"Which files do you want to keep?" => "Які файли ви хочете залишити?", +"If you select both versions, the copied file will have a number added to its name." => "Якщо ви оберете обидві версії, скопійований файл буде мати номер, доданий у його ім'я.", "Cancel" => "Відмінити", +"Continue" => "Продовжити", +"(all selected)" => "(все вибрано)", +"({count} selected)" => "({count} вибрано)", +"Error loading file exists template" => "Помилка при завантаженні файлу існуючого шаблону", "Shared" => "Опубліковано", "Share" => "Поділитися", "Error" => "Помилка", @@ -45,8 +67,11 @@ $TRANSLATIONS = array( "Error while changing permissions" => "Помилка при зміні повноважень", "Shared with you and the group {group} by {owner}" => " {owner} опублікував для Вас та для групи {group}", "Shared with you by {owner}" => "{owner} опублікував для Вас", +"Share with user or group …" => "Поділитися з користувачем або групою ...", +"Share link" => "Опублікувати посилання", "Password protect" => "Захистити паролем", "Password" => "Пароль", +"Allow Public Upload" => "Дозволити Публічне Завантаження", "Email link to person" => "Ел. пошта належить Пану", "Send" => "Надіслати", "Set expiration date" => "Встановити термін дії", @@ -57,6 +82,7 @@ $TRANSLATIONS = array( "Resharing is not allowed" => "Пере-публікація не дозволяється", "Shared in {item} with {user}" => "Опубліковано {item} для {user}", "Unshare" => "Закрити доступ", +"notify by email" => "повідомити по Email", "can edit" => "може редагувати", "access control" => "контроль доступу", "create" => "створити", @@ -70,13 +96,24 @@ $TRANSLATIONS = array( "Email sent" => "Ел. пошта надіслана", "Warning" => "Попередження", "The object type is not specified." => "Не визначено тип об'єкту.", +"Enter new" => "Введіть новий", "Delete" => "Видалити", "Add" => "Додати", +"Edit tags" => "Редагувати теги", +"Error loading dialog template: {error}" => "Помилка при завантаженні шаблону діалогу: {error}", +"No tags selected for deletion." => "Жодних тегів не обрано для видалення.", +"Please reload the page." => "Будь ласка, перезавантажте сторінку.", "The update was unsuccessful. Please report this issue to the <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">ownCloud community</a>." => "Оновлення виконалось неуспішно. Будь ласка, повідомте про цю проблему в <a href=\"https://github.com/owncloud/core/issues\" target=\"_blank\">спільноті ownCloud</a>.", "The update was successful. Redirecting you to ownCloud now." => "Оновлення виконалось успішно. Перенаправляємо вас на ownCloud.", +"%s password reset" => "%s пароль скинуто", "Use the following link to reset your password: {link}" => "Використовуйте наступне посилання для скидання пароля: {link}", +"The link to reset your password has been sent to your email.<br>If you do not receive it within a reasonable amount of time, check your spam/junk folders.<br>If it is not there ask your local administrator ." => "Посилання для того, щоб скинути ваш пароль було надіслано на ваший Email.<br>Якщо ви не отримали його найближчим часом, перевірте ваший спам каталог.<br>Якщо і там немає, спитайте вашого місцевого Адміністратора.", +"Request failed!<br>Did you make sure your email/username was right?" => "Запит завершився невдало !<br>Ви переконані, що ваша адреса Email/ім'я користувача вірні ?", "You will receive a link to reset your password via Email." => "Ви отримаєте посилання для скидання вашого паролю на Ел. пошту.", "Username" => "Ім'я користувача", +"Your files are encrypted. If you haven't enabled the recovery key, there will be no way to get your data back after your password is reset. If you are not sure what to do, please contact your administrator before you continue. Do you really want to continue?" => "Ваші файли зашифровані. Якщо ви не зробили придатний ключ відновлення, не буде ніякої можливості отримати дані назад після того, як ваш пароль буде скинутий. Якщо ви не знаєте, що робити, будь ласка, зверніться до адміністратора, щоб продовжити. Ви дійсно хочете продовжити?", +"Yes, I really want to reset my password now" => "Так, я справді бажаю скинути мій пароль зараз", +"Reset" => "Перевстановити", "Your password was reset" => "Ваш пароль був скинутий", "To login page" => "До сторінки входу", "New password" => "Новий пароль", @@ -86,13 +123,25 @@ $TRANSLATIONS = array( "Apps" => "Додатки", "Admin" => "Адмін", "Help" => "Допомога", +"Error loading tags" => "Помилка завантаження тегів.", +"Tag already exists" => "Тег вже існує", +"Error deleting tag(s)" => "Помилка видалення тегу(ів)", +"Error tagging" => "Помилка встановлення тегів", +"Error untagging" => "Помилка зняття тегів", +"Error favoriting" => "Помилка позначення улюблених", +"Error unfavoriting" => "Помилка зняття позначки улюблених", "Access forbidden" => "Доступ заборонено", "Cloud not found" => "Cloud не знайдено", +"Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "Агов,\n\nпросто щоб ви знали, що %s поділився %s з вами.\nПодивіться: %s\n\n", +"The share will expire on %s." => "Доступ до спільних даних вичерпається %s.", +"Cheers!" => "Будьмо!", "Security Warning" => "Попередження про небезпеку", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "Ваша версія PHP вразлива для атак NULL Byte (CVE-2006-7243)", +"Please update your PHP installation to use %s securely." => "Будь ласка, оновіть вашу інсталяцію PHP для використання %s безпеки.", "No secure random number generator is available, please enable the PHP OpenSSL extension." => "Не доступний безпечний генератор випадкових чисел, будь ласка, активуйте PHP OpenSSL додаток.", "Without a secure random number generator an attacker may be able to predict password reset tokens and take over your account." => "Без безпечного генератора випадкових чисел зловмисник може визначити токени скидання пароля і заволодіти Вашим обліковим записом.", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." => "Ваші дані каталогів і файлів, ймовірно, доступні з інтернету, тому що .htaccess файл не працює.", +"For information how to properly configure your server, please see the <a href=\"%s\" target=\"_blank\">documentation</a>." => "Для отримання інформації, як правильно налаштувати сервер, див. <a href=\"%s\" target=\"_blank\">документацію</a>.", "Create an <strong>admin account</strong>" => "Створити <strong>обліковий запис адміністратора</strong>", "Advanced" => "Додатково", "Data folder" => "Каталог даних", @@ -104,14 +153,25 @@ $TRANSLATIONS = array( "Database tablespace" => "Таблиця бази даних", "Database host" => "Хост бази даних", "Finish setup" => "Завершити налаштування", +"Finishing …" => "Завершується ...", +"%s is available. Get more information on how to update." => "%s доступний. Отримай більше інформації про те, як оновити.", "Log out" => "Вихід", "Automatic logon rejected!" => "Автоматичний вхід в систему відхилений!", "If you did not change your password recently, your account may be compromised!" => "Якщо Ви не міняли пароль останнім часом, Ваш обліковий запис може бути скомпрометованим!", "Please change your password to secure your account again." => "Будь ласка, змініть свій пароль, щоб знову захистити Ваш обліковий запис.", +"Server side authentication failed!" => "Помилка аутентифікації на боці Сервера !", +"Please contact your administrator." => "Будь ласка, зверніться до вашого Адміністратора.", "Lost your password?" => "Забули пароль?", "remember" => "запам'ятати", "Log in" => "Вхід", "Alternative Logins" => "Альтернативні Логіни", -"Updating ownCloud to version %s, this may take a while." => "Оновлення ownCloud до версії %s, це може зайняти деякий час." +"Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "Агов,<br><br>просто щоб ви знали, що %s поділився »%s« з вами.<br><a href=\"%s\">Подивіться на це !</a><br><br>", +"This ownCloud instance is currently in single user mode." => "Цей екземпляр OwnCloud зараз працює в монопольному режимі одного користувача", +"This means only administrators can use the instance." => "Це означає, що лише адміністратори можуть використовувати цей екземпляр.", +"Contact your system administrator if this message persists or appeared unexpectedly." => "Зверніться до системного адміністратора, якщо це повідомлення зберігається або з'являєтья несподівано.", +"Thank you for your patience." => "Дякуємо за ваше терпіння.", +"Updating ownCloud to version %s, this may take a while." => "Оновлення ownCloud до версії %s, це може зайняти деякий час.", +"This ownCloud instance is currently being updated, which may take a while." => "Цей ownCloud зараз оновлюється, це може тривати певний час.", +"Please reload this page after a short time to continue using ownCloud." => "Будь ласка, перезавантажте незабаром цю сторінку, щоб продовжити користуватися OwnCloud." ); $PLURAL_FORMS = "nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"; diff --git a/core/l10n/zh_TW.php b/core/l10n/zh_TW.php index 3fe65720adf..d78929ddb9c 100644 --- a/core/l10n/zh_TW.php +++ b/core/l10n/zh_TW.php @@ -131,7 +131,6 @@ $TRANSLATIONS = array( "Access forbidden" => "存取被拒", "Cloud not found" => "找不到網頁", "Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n" => "嗨,\n\n%s 和你分享了 %s ,到這裡看它:%s\n", -"The share will expire on %s.\n\n" => "分享將於 %s 過期\n", "Cheers!" => "太棒了!", "Security Warning" => "安全性警告", "Your PHP version is vulnerable to the NULL Byte attack (CVE-2006-7243)" => "您的 PHP 版本無法抵抗 NULL Byte 攻擊 (CVE-2006-7243)", @@ -164,11 +163,10 @@ $TRANSLATIONS = array( "Log in" => "登入", "Alternative Logins" => "其他登入方法", "Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href=\"%s\">View it!</a><br><br>" => "嗨,<br><br>%s 和你分享了 %s ,到<a href=\"%s\">這裡</a>看它<br><br>", -"The share will expire on %s.<br><br>" => "分享將於 %s 過期<br><br>", +"Contact your system administrator if this message persists or appeared unexpectedly." => "若這個訊息持續出現,請聯絡系統管理員", +"Thank you for your patience." => "感謝您的耐心", "Updating ownCloud to version %s, this may take a while." => "正在將 ownCloud 升級至版本 %s ,這可能需要一點時間。", "This ownCloud instance is currently being updated, which may take a while." => "ownCloud 正在升級,請稍待一會。", -"Please reload this page after a short time to continue using ownCloud." => "請稍後重新載入這個頁面就可以繼續使用 ownCloud", -"Contact your system administrator if this message persists or appeared unexpectedly." => "若這個訊息持續出現,請聯絡系統管理員", -"Thank you for your patience." => "感謝您的耐心" +"Please reload this page after a short time to continue using ownCloud." => "請稍後重新載入這個頁面就可以繼續使用 ownCloud" ); $PLURAL_FORMS = "nplurals=1; plural=0;"; diff --git a/core/register_command.php b/core/register_command.php index cfea1a6b888..e4f3b124365 100644 --- a/core/register_command.php +++ b/core/register_command.php @@ -10,3 +10,8 @@ $application->add(new OC\Core\Command\Status); $application->add(new OC\Core\Command\Db\GenerateChangeScript()); $application->add(new OC\Core\Command\Upgrade()); +$application->add(new OC\Core\Command\Maintenance\SingleUser()); +$application->add(new OC\Core\Command\App\Disable()); +$application->add(new OC\Core\Command\App\Enable()); +$application->add(new OC\Core\Command\App\ListApps()); +$application->add(new OC\Core\Command\Maintenance\Repair(new \OC\Repair())); diff --git a/core/setup.php b/core/setup.php index 4026a748453..781d6e572af 100644 --- a/core/setup.php +++ b/core/setup.php @@ -6,6 +6,7 @@ if( file_exists( $autosetup_file )) { OC_Log::write('core', 'Autoconfig file found, setting up owncloud...', OC_Log::INFO); include $autosetup_file; $_POST = array_merge ($_POST, $AUTOCONFIG); + $_REQUEST = array_merge ($_REQUEST, $AUTOCONFIG); } $dbIsSet = isset($_POST['dbtype']); diff --git a/core/templates/altmail.php b/core/templates/altmail.php index 00b67bee456..7776919ea34 100644 --- a/core/templates/altmail.php +++ b/core/templates/altmail.php @@ -1,7 +1,8 @@ <?php print_unescaped($l->t("Hey there,\n\njust letting you know that %s shared %s with you.\nView it: %s\n\n", array($_['user_displayname'], $_['filename'], $_['link']))); if ( isset($_['expiration']) ) { - print_unescaped($l->t("The share will expire on %s.\n\n", array($_['expiration']))); + print_unescaped($l->t("The share will expire on %s.", array($_['expiration']))); + print_unescaped('\n\n'); } p($l->t("Cheers!")); ?> diff --git a/core/templates/installation.php b/core/templates/installation.php index 3457a3c9a99..325eb204868 100644 --- a/core/templates/installation.php +++ b/core/templates/installation.php @@ -6,18 +6,19 @@ <form action="index.php" method="post"> <input type="hidden" name="install" value="true" /> <?php if(count($_['errors']) > 0): ?> - <ul class="errors"> + <fieldset class="warning"> + <legend><strong><?php p($l->t('Error'));?></strong></legend> <?php foreach($_['errors'] as $err): ?> - <li> + <p> <?php if(is_array($err)):?> <?php print_unescaped($err['error']); ?> - <p class='hint'><?php print_unescaped($err['hint']); ?></p> + <span class='hint'><?php print_unescaped($err['hint']); ?></span> <?php else: ?> <?php print_unescaped($err); ?> <?php endif; ?> - </li> + </p> <?php endforeach; ?> - </ul> + </fieldset> <?php endif; ?> <?php if($_['vulnerableToNullByte']): ?> <fieldset class="warning"> diff --git a/core/templates/layout.user.php b/core/templates/layout.user.php index 9e1d8022ecb..45b7e39686d 100644 --- a/core/templates/layout.user.php +++ b/core/templates/layout.user.php @@ -37,6 +37,7 @@ </head> <body id="<?php p($_['bodyid']);?>"> + <noscript><div id="nojavascript"><div><?php print_unescaped($l->t('This application requires JavaScript to be enabled for correct operation. Please <a href="http://enable-javascript.com/" target="_blank">enable JavaScript</a> and re-load this interface.')); ?></div></div></noscript> <div id="notification-container"> <div id="notification"></div> <?php if ($_['updateAvailable']): ?> diff --git a/core/templates/login.php b/core/templates/login.php index aca42c84387..e697ebe5326 100644 --- a/core/templates/login.php +++ b/core/templates/login.php @@ -1,5 +1,5 @@ <!--[if IE 8]><style>input[type="checkbox"]{padding:0;}</style><![endif]--> -<form method="post"> +<form method="post" name="login"> <fieldset> <?php if (!empty($_['redirect_url'])) { print_unescaped('<input type="hidden" name="redirect_url" value="' . OC_Util::sanitizeHTML($_['redirect_url']) . '" />'); @@ -18,6 +18,12 @@ <small><?php p($l->t('Please contact your administrator.')); ?></small> </div> <?php endif; ?> + <p id="message" class="hidden"> + <img class="float-spinner" src="<?php p(\OCP\Util::imagePath('core', 'loading-dark.gif'));?>"/> + <span id="messageText"></span> + <!-- the following div ensures that the spinner is always inside the #message div --> + <div style="clear: both;"></div> + </p> <p class="infield grouptop"> <input type="text" name="user" id="user" placeholder="" value="<?php p($_['username']); ?>"<?php p($_['user_autofocus'] ? ' autofocus' : ''); ?> diff --git a/core/templates/mail.php b/core/templates/mail.php index 40092f5491f..4fa54aa5283 100644 --- a/core/templates/mail.php +++ b/core/templates/mail.php @@ -14,7 +14,8 @@ <?php print_unescaped($l->t('Hey there,<br><br>just letting you know that %s shared »%s« with you.<br><a href="%s">View it!</a><br><br>', array($_['user_displayname'], $_['filename'], $_['link']))); if ( isset($_['expiration']) ) { - print_unescaped($l->t("The share will expire on %s.<br><br>", array($_['expiration']))); + p($l->t("The share will expire on %s.", array($_['expiration']))); + print_unescaped('<br><br>'); } p($l->t('Cheers!')); ?> diff --git a/core/templates/singleuser.user.php b/core/templates/singleuser.user.php new file mode 100644 index 00000000000..a5f56f6e2c4 --- /dev/null +++ b/core/templates/singleuser.user.php @@ -0,0 +1,10 @@ +<ul> + <li class='update'> + <?php p($l->t('This ownCloud instance is currently in single user mode.')) ?><br /><br /> + <?php p($l->t('This means only administrators can use the instance.')) ?><br /><br /> + <?php p($l->t('Contact your system administrator if this message persists or appeared unexpectedly.')) ?> + <br /><br /> + <?php p($l->t('Thank you for your patience.')); ?><br /><br /> + <a class="button" <?php print_unescaped(OC_User::getLogoutAttribute()); ?>><?php p($l->t('Log out')); ?></a> + </li> +</ul> |