diff options
Diffstat (limited to 'core')
85 files changed, 311 insertions, 137 deletions
diff --git a/core/ajax/update.php b/core/ajax/update.php index 11d159f15d1..42f7f14bbdd 100644 --- a/core/ajax/update.php +++ b/core/ajax/update.php @@ -68,12 +68,24 @@ if (OC::checkUpgrade(false)) { $updater->listen('\OC\Updater', 'maintenanceActive', function () use ($eventSource, $l) { $eventSource->send('success', (string)$l->t('Maintenance mode is kept active')); }); + $updater->listen('\OC\Updater', 'dbUpgradeBefore', function () use($eventSource, $l) { + $eventSource->send('success', (string)$l->t('Updating database schema')); + }); $updater->listen('\OC\Updater', 'dbUpgrade', function () use ($eventSource, $l) { $eventSource->send('success', (string)$l->t('Updated database')); }); + $updater->listen('\OC\Updater', 'dbSimulateUpgradeBefore', function () use($eventSource, $l) { + $eventSource->send('success', (string)$l->t('Checking whether the database schema can be updated (this can take a long time depending on the database size)')); + }); $updater->listen('\OC\Updater', 'dbSimulateUpgrade', function () use ($eventSource, $l) { $eventSource->send('success', (string)$l->t('Checked database schema update')); }); + $updater->listen('\OC\Updater', 'appUpgradeCheckBefore', function () use ($eventSource, $l) { + $eventSource->send('success', (string)$l->t('Checking updates of apps')); + }); + $updater->listen('\OC\Updater', 'appSimulateUpdate', function ($app) use ($eventSource, $l) { + $eventSource->send('success', (string)$l->t('Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)', [$app])); + }); $updater->listen('\OC\Updater', 'appUpgradeCheck', function () use ($eventSource, $l) { $eventSource->send('success', (string)$l->t('Checked database schema update for apps')); }); @@ -112,15 +124,18 @@ if (OC::checkUpgrade(false)) { exit(); } - if (!empty($incompatibleApps)) { - $eventSource->send('notice', - (string)$l->t('Following incompatible apps have been disabled: %s', implode(', ', $incompatibleApps))); + $disabledApps = []; + foreach ($disabledThirdPartyApps as $app) { + $disabledApps[$app] = (string) $l->t('%s (3rdparty)', [$app]); } - if (!empty($disabledThirdPartyApps)) { - $eventSource->send('notice', - (string)$l->t('Following apps have been disabled: %s', implode(', ', $disabledThirdPartyApps))); + foreach ($incompatibleApps as $app) { + $disabledApps[$app] = (string) $l->t('%s (incompatible)', [$app]); } + if (!empty($disabledApps)) { + $eventSource->send('notice', + (string)$l->t('Following apps have been disabled: %s', implode(', ', $disabledApps))); + } } else { $eventSource->send('notice', (string)$l->t('Already up to date')); } diff --git a/core/command/upgrade.php b/core/command/upgrade.php index 5d4819f6baf..9c313f83e14 100644 --- a/core/command/upgrade.php +++ b/core/command/upgrade.php @@ -155,9 +155,15 @@ class Upgrade extends Command { } $output->writeln($message); }); + $updater->listen('\OC\Updater', 'dbUpgradeBefore', function () use($output) { + $output->writeln('<info>Updating database schema</info>'); + }); $updater->listen('\OC\Updater', 'dbUpgrade', function () use($output) { $output->writeln('<info>Updated database</info>'); }); + $updater->listen('\OC\Updater', 'dbSimulateUpgradeBefore', function () use($output) { + $output->writeln('<info>Checking whether the database schema can be updated (this can take a long time depending on the database size)</info>'); + }); $updater->listen('\OC\Updater', 'dbSimulateUpgrade', function () use($output) { $output->writeln('<info>Checked database schema update</info>'); }); @@ -176,6 +182,12 @@ class Upgrade extends Command { $updater->listen('\OC\Updater', 'repairError', function ($app) use($output) { $output->writeln('<error>Repair error: ' . $app . '</error>'); }); + $updater->listen('\OC\Updater', 'appUpgradeCheckBefore', function () use ($output) { + $output->writeln('<info>Checking updates of apps</info>'); + }); + $updater->listen('\OC\Updater', 'appSimulateUpdate', function ($app) use ($output) { + $output->writeln("<info>Checking whether the database schema for <$app> can be updated (this can take a long time depending on the database size)</info>"); + }); $updater->listen('\OC\Updater', 'appUpgradeCheck', function () use ($output) { $output->writeln('<info>Checked database schema update for apps</info>'); }); diff --git a/core/js/js.js b/core/js/js.js index 00a775b8027..9daca1f8469 100644 --- a/core/js/js.js +++ b/core/js/js.js @@ -1275,23 +1275,7 @@ function initCore() { SVGSupport.checkMimeType(); } - // user menu - $('#settings #expand').keydown(function(event) { - if (event.which === 13 || event.which === 32) { - $('#expand').click(); - } - }); - $('#settings #expand').click(function(event) { - $('#settings #expanddiv').slideToggle(OC.menuSpeed); - event.stopPropagation(); - }); - $('#settings #expanddiv').click(function(event){ - event.stopPropagation(); - }); - //hide the user menu when clicking outside it - $(document).click(function(){ - $('#settings #expanddiv').slideUp(OC.menuSpeed); - }); + OC.registerMenu($('#expand'), $('#expanddiv')); // toggle for menus $(document).on('mouseup.closemenus', function(event) { @@ -1304,7 +1288,6 @@ function initCore() { OC.hideMenus(); }); - /** * Set up the main menu toggle to react to media query changes. * If the screen is small enough, the main menu becomes a toggle. @@ -1633,6 +1616,15 @@ OC.Util = { }, /** + * Returns whether this is IE + * + * @return {bool} true if this is IE, false otherwise + */ + isIE: function() { + return $('html').hasClass('ie'); + }, + + /** * Returns whether this is IE8 * * @return {bool} true if this is IE8, false otherwise diff --git a/core/js/tests/specs/sharedialogviewSpec.js b/core/js/tests/specs/sharedialogviewSpec.js index 55aa0541bd0..0117f517d4c 100644 --- a/core/js/tests/specs/sharedialogviewSpec.js +++ b/core/js/tests/specs/sharedialogviewSpec.js @@ -676,5 +676,83 @@ describe('OC.Share.ShareDialogView', function() { }); }); }); + describe('remote sharing', function() { + it('shows remote share info when allows', function() { + configModel.set({ + isRemoteShareAllowed: true + }); + dialog.render(); + expect(dialog.$el.find('.shareWithRemoteInfo').length).toEqual(1); + }); + it('does not show remote share info when not allowed', function() { + configModel.set({ + isRemoteShareAllowed: false + }); + dialog.render(); + expect(dialog.$el.find('.shareWithRemoteInfo').length).toEqual(0); + }); + }); + describe('autocompeltion of users', function() { + it('triggers autocomplete display and focus with data when ajax search succeeds', function () { + dialog.render(); + var response = sinon.stub(); + dialog.autocompleteHandler({term: 'bob'}, response); + var jsonData = JSON.stringify({ + "data": [{"label": "bob", "value": {"shareType": 0, "shareWith": "test"}}], + "status": "success" + }); + fakeServer.requests[0].respond( + 200, + {'Content-Type': 'application/json'}, + jsonData + ); + expect(response.calledWithExactly(JSON.parse(jsonData).data)).toEqual(true); + expect(autocompleteStub.calledWith("option", "autoFocus", true)).toEqual(true); + }); + + it('gracefully handles successful ajax call with failure content', function () { + dialog.render(); + var response = sinon.stub(); + dialog.autocompleteHandler({term: 'bob'}, response); + var jsonData = JSON.stringify({"status": "failure"}); + fakeServer.requests[0].respond( + 200, + {'Content-Type': 'application/json'}, + jsonData + ); + expect(response.calledWithExactly()).toEqual(true); + }); + + it('throws a notification when the ajax search lookup fails', function () { + notificationStub = sinon.stub(OC.Notification, 'show'); + dialog.render(); + dialog.autocompleteHandler({term: 'bob'}, sinon.stub()); + fakeServer.requests[0].respond(500); + expect(notificationStub.calledOnce).toEqual(true); + notificationStub.restore(); + }); + + describe('renders the autocomplete elements', function() { + it('renders a group element', function() { + dialog.render(); + var el = dialog.autocompleteRenderItem( + $("<ul></ul>"), + {label: "1", value: { shareType: OC.Share.SHARE_TYPE_GROUP }} + ); + expect(el.is('li')).toEqual(true); + expect(el.hasClass('group')).toEqual(true); + }); + + it('renders a remote element', function() { + dialog.render(); + var el = dialog.autocompleteRenderItem( + $("<ul></ul>"), + {label: "1", value: { shareType: OC.Share.SHARE_TYPE_REMOTE }} + ); + expect(el.is('li')).toEqual(true); + expect(el.hasClass('user')).toEqual(true); + }); + }); + }); }); diff --git a/core/l10n/bg_BG.js b/core/l10n/bg_BG.js index f8d2e44204a..47af1b28d94 100644 --- a/core/l10n/bg_BG.js +++ b/core/l10n/bg_BG.js @@ -10,7 +10,6 @@ OC.L10N.register( "Updated \"%s\" to %s" : "Обновен \"%s\" до %s", "Repair warning: " : "Предупреждение при поправка:", "Repair error: " : "Грешка при поправка:", - "Following incompatible apps have been disabled: %s" : "Следните несъвместими приложения бяха изключени: %s", "Invalid file provided" : "Предоставен е невалиден файл", "No image or file provided" : "Не бяха доставени картинка или файл", "Unknown filetype" : "Непознат файлов тип", diff --git a/core/l10n/bg_BG.json b/core/l10n/bg_BG.json index 4709830c087..43b5d5dbe21 100644 --- a/core/l10n/bg_BG.json +++ b/core/l10n/bg_BG.json @@ -8,7 +8,6 @@ "Updated \"%s\" to %s" : "Обновен \"%s\" до %s", "Repair warning: " : "Предупреждение при поправка:", "Repair error: " : "Грешка при поправка:", - "Following incompatible apps have been disabled: %s" : "Следните несъвместими приложения бяха изключени: %s", "Invalid file provided" : "Предоставен е невалиден файл", "No image or file provided" : "Не бяха доставени картинка или файл", "Unknown filetype" : "Непознат файлов тип", diff --git a/core/l10n/ca.js b/core/l10n/ca.js index 9d397d03408..b32aac7cf1d 100644 --- a/core/l10n/ca.js +++ b/core/l10n/ca.js @@ -12,7 +12,6 @@ OC.L10N.register( "Updated \"%s\" to %s" : "Actualitzat \"%s\" a %s", "Repair warning: " : "Advertiment de reparació:", "Repair error: " : "Error de reparació:", - "Following incompatible apps have been disabled: %s" : "Les següents apps incompatibles s'han deshabilitat: %s", "Following apps have been disabled: %s" : "Les aplicacions següents s'han deshabilitat: %s", "Already up to date" : "Ja actualitzat", "File is too big" : "El fitxer és massa gran", diff --git a/core/l10n/ca.json b/core/l10n/ca.json index 52de7a322b4..04a0e7232d9 100644 --- a/core/l10n/ca.json +++ b/core/l10n/ca.json @@ -10,7 +10,6 @@ "Updated \"%s\" to %s" : "Actualitzat \"%s\" a %s", "Repair warning: " : "Advertiment de reparació:", "Repair error: " : "Error de reparació:", - "Following incompatible apps have been disabled: %s" : "Les següents apps incompatibles s'han deshabilitat: %s", "Following apps have been disabled: %s" : "Les aplicacions següents s'han deshabilitat: %s", "Already up to date" : "Ja actualitzat", "File is too big" : "El fitxer és massa gran", diff --git a/core/l10n/cs_CZ.js b/core/l10n/cs_CZ.js index f48b1f54d2b..4c135a87797 100644 --- a/core/l10n/cs_CZ.js +++ b/core/l10n/cs_CZ.js @@ -7,15 +7,20 @@ OC.L10N.register( "Turned on maintenance mode" : "Zapnut režim údržby", "Turned off maintenance mode" : "Vypnut režim údržby", "Maintenance mode is kept active" : "Mód údržby je aktivní", + "Updating database schema" : "Aktualizace schéma databáze", "Updated database" : "Zaktualizována databáze", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Probíhá ověření, zda je možné aktualizovat schéma databáze (toto může trvat déle v závislosti na velikosti databáze)", "Checked database schema update" : "Aktualizace schéma databáze byla ověřena", + "Checking updates of apps" : "Kontrola aktualizace aplikací", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Probíhá ověření, zda je možné aktualizovat schéma databáze %s (toto může trvat déle v závislosti na velikosti databáze)", "Checked database schema update for apps" : "Aktualizace schéma databáze aplikací byla ověřena", "Updated \"%s\" to %s" : "Aktualizováno z \"%s\" na %s", "Repair warning: " : "Upozornění opravy:", "Repair error: " : "Chyba opravy:", "Set log level to debug - current level: \"%s\"" : "Nastavit úroveň logování na debug - aktuální úroveň: \"%s\"", "Reset log level to \"%s\"" : "Vrátit úroveň logování na \"%s\"", - "Following incompatible apps have been disabled: %s" : "Následující nekompatibilní aplikace byly zakázány: %s", + "%s (3rdparty)" : "%s (3. strana)", + "%s (incompatible)" : "%s (nekompatibilní)", "Following apps have been disabled: %s" : "Následující aplikace byly vypnuty: %s", "Already up to date" : "Je již aktuální", "File is too big" : "Soubor je příliš velký", @@ -171,6 +176,7 @@ OC.L10N.register( "Hello {name}" : "Vítej, {name}", "_download %n file_::_download %n files_" : ["stáhnout %n soubor","stáhnout %n soubory","stáhnout %n souborů"], "{version} is available. Get more information on how to update." : "Je dostupná {version}. Přečtěte si více informací jak aktualizovat.", + "The upgrade is in progress, leaving this page might interrupt the process in some environments." : "Probíhá aktualizace, opuštění této stránky může v některých prostředích přerušit proces.", "Updating {productName} to version {version}, this may take a while." : "Aktualizuji {productName} na verzi {version}, může to chvíli trvat.", "An error occurred." : "Došlo k chybě.", "Please reload the page." : "Načtěte stránku znovu, prosím.", diff --git a/core/l10n/cs_CZ.json b/core/l10n/cs_CZ.json index e83942a8922..84439887103 100644 --- a/core/l10n/cs_CZ.json +++ b/core/l10n/cs_CZ.json @@ -5,15 +5,20 @@ "Turned on maintenance mode" : "Zapnut režim údržby", "Turned off maintenance mode" : "Vypnut režim údržby", "Maintenance mode is kept active" : "Mód údržby je aktivní", + "Updating database schema" : "Aktualizace schéma databáze", "Updated database" : "Zaktualizována databáze", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Probíhá ověření, zda je možné aktualizovat schéma databáze (toto může trvat déle v závislosti na velikosti databáze)", "Checked database schema update" : "Aktualizace schéma databáze byla ověřena", + "Checking updates of apps" : "Kontrola aktualizace aplikací", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Probíhá ověření, zda je možné aktualizovat schéma databáze %s (toto může trvat déle v závislosti na velikosti databáze)", "Checked database schema update for apps" : "Aktualizace schéma databáze aplikací byla ověřena", "Updated \"%s\" to %s" : "Aktualizováno z \"%s\" na %s", "Repair warning: " : "Upozornění opravy:", "Repair error: " : "Chyba opravy:", "Set log level to debug - current level: \"%s\"" : "Nastavit úroveň logování na debug - aktuální úroveň: \"%s\"", "Reset log level to \"%s\"" : "Vrátit úroveň logování na \"%s\"", - "Following incompatible apps have been disabled: %s" : "Následující nekompatibilní aplikace byly zakázány: %s", + "%s (3rdparty)" : "%s (3. strana)", + "%s (incompatible)" : "%s (nekompatibilní)", "Following apps have been disabled: %s" : "Následující aplikace byly vypnuty: %s", "Already up to date" : "Je již aktuální", "File is too big" : "Soubor je příliš velký", @@ -169,6 +174,7 @@ "Hello {name}" : "Vítej, {name}", "_download %n file_::_download %n files_" : ["stáhnout %n soubor","stáhnout %n soubory","stáhnout %n souborů"], "{version} is available. Get more information on how to update." : "Je dostupná {version}. Přečtěte si více informací jak aktualizovat.", + "The upgrade is in progress, leaving this page might interrupt the process in some environments." : "Probíhá aktualizace, opuštění této stránky může v některých prostředích přerušit proces.", "Updating {productName} to version {version}, this may take a while." : "Aktualizuji {productName} na verzi {version}, může to chvíli trvat.", "An error occurred." : "Došlo k chybě.", "Please reload the page." : "Načtěte stránku znovu, prosím.", diff --git a/core/l10n/da.js b/core/l10n/da.js index 3d90b55836c..3eef4d31c1e 100644 --- a/core/l10n/da.js +++ b/core/l10n/da.js @@ -14,7 +14,6 @@ OC.L10N.register( "Repair error: " : "Reparationsfejl:", "Set log level to debug - current level: \"%s\"" : "Sæt log niveau til fejlfinding - nuværende niveau: \"%s\"", "Reset log level to \"%s\"" : "Nulstil log niveau til \"%s\"", - "Following incompatible apps have been disabled: %s" : "Følgende inkompatible apps er blevet deaktiveret: %s", "Following apps have been disabled: %s" : "Følgende apps er blevet deaktiveret: %s", "Already up to date" : "Allerede opdateret", "File is too big" : "Filen er for stor", diff --git a/core/l10n/da.json b/core/l10n/da.json index 53182aeab70..a5e0912e774 100644 --- a/core/l10n/da.json +++ b/core/l10n/da.json @@ -12,7 +12,6 @@ "Repair error: " : "Reparationsfejl:", "Set log level to debug - current level: \"%s\"" : "Sæt log niveau til fejlfinding - nuværende niveau: \"%s\"", "Reset log level to \"%s\"" : "Nulstil log niveau til \"%s\"", - "Following incompatible apps have been disabled: %s" : "Følgende inkompatible apps er blevet deaktiveret: %s", "Following apps have been disabled: %s" : "Følgende apps er blevet deaktiveret: %s", "Already up to date" : "Allerede opdateret", "File is too big" : "Filen er for stor", diff --git a/core/l10n/de.js b/core/l10n/de.js index ff0176b6d94..07f436c8510 100644 --- a/core/l10n/de.js +++ b/core/l10n/de.js @@ -15,7 +15,6 @@ OC.L10N.register( "Repair error: " : "Reperaturfehler:", "Set log level to debug - current level: \"%s\"" : "Log-Level auf Debug gesetzt - aktuelles Level: \"%s\"", "Reset log level to \"%s\"" : "Log-Level auf \"%s\" zurückgesetzt", - "Following incompatible apps have been disabled: %s" : "Die folgenden inkompatiblen Apps sind deaktiviert worden: %s", "Following apps have been disabled: %s" : "Die folgenden Apps sind deaktiviert worden: %s", "Already up to date" : "Bereits aktuell", "File is too big" : "Datei ist zu groß", diff --git a/core/l10n/de.json b/core/l10n/de.json index 94df2d559fc..be36f78d567 100644 --- a/core/l10n/de.json +++ b/core/l10n/de.json @@ -13,7 +13,6 @@ "Repair error: " : "Reperaturfehler:", "Set log level to debug - current level: \"%s\"" : "Log-Level auf Debug gesetzt - aktuelles Level: \"%s\"", "Reset log level to \"%s\"" : "Log-Level auf \"%s\" zurückgesetzt", - "Following incompatible apps have been disabled: %s" : "Die folgenden inkompatiblen Apps sind deaktiviert worden: %s", "Following apps have been disabled: %s" : "Die folgenden Apps sind deaktiviert worden: %s", "Already up to date" : "Bereits aktuell", "File is too big" : "Datei ist zu groß", diff --git a/core/l10n/de_DE.js b/core/l10n/de_DE.js index b593fc452ae..2980331c651 100644 --- a/core/l10n/de_DE.js +++ b/core/l10n/de_DE.js @@ -15,7 +15,6 @@ OC.L10N.register( "Repair error: " : "Reperaturfehler:", "Set log level to debug - current level: \"%s\"" : "Log-Level auf Debug gesetzt - aktuelles Level: \"%s\"", "Reset log level to \"%s\"" : "Log-Level auf \"%s\" zurückgesetzt", - "Following incompatible apps have been disabled: %s" : "Die folgenden inkompatiblen Apps sind deaktiviert worden: %s", "Following apps have been disabled: %s" : "Die folgenden Apps sind deaktiviert worden: %s", "Already up to date" : "Bereits aktuell", "File is too big" : "Datei ist zu groß", diff --git a/core/l10n/de_DE.json b/core/l10n/de_DE.json index c7fa1e368a9..68ab793889e 100644 --- a/core/l10n/de_DE.json +++ b/core/l10n/de_DE.json @@ -13,7 +13,6 @@ "Repair error: " : "Reperaturfehler:", "Set log level to debug - current level: \"%s\"" : "Log-Level auf Debug gesetzt - aktuelles Level: \"%s\"", "Reset log level to \"%s\"" : "Log-Level auf \"%s\" zurückgesetzt", - "Following incompatible apps have been disabled: %s" : "Die folgenden inkompatiblen Apps sind deaktiviert worden: %s", "Following apps have been disabled: %s" : "Die folgenden Apps sind deaktiviert worden: %s", "Already up to date" : "Bereits aktuell", "File is too big" : "Datei ist zu groß", diff --git a/core/l10n/el.js b/core/l10n/el.js index 975f3895b46..e6e798db3eb 100644 --- a/core/l10n/el.js +++ b/core/l10n/el.js @@ -15,7 +15,6 @@ OC.L10N.register( "Repair error: " : "Σφάλμα διόρθωσης:", "Set log level to debug - current level: \"%s\"" : "Καθορισμός του επιπέδου καταγραφής σε αποσφαλμάτωση - τρέχον επίπεδο: \"%s\"", "Reset log level to \"%s\"" : "Επαναφορά επιπέδου καταγραφής σε \"%s\"", - "Following incompatible apps have been disabled: %s" : "Οι παρακάτω εφαρμογές έχουν απενεργοποιηθεί: %s", "Following apps have been disabled: %s" : "Οι ακόλουθες εφαρμογές έχουν απενεργοποιηθεί: %s", "Already up to date" : "Ήδη ενημερωμένο", "File is too big" : "Το αρχείο είναι πολύ μεγάλο", diff --git a/core/l10n/el.json b/core/l10n/el.json index 21901440ecc..5e398ac086a 100644 --- a/core/l10n/el.json +++ b/core/l10n/el.json @@ -13,7 +13,6 @@ "Repair error: " : "Σφάλμα διόρθωσης:", "Set log level to debug - current level: \"%s\"" : "Καθορισμός του επιπέδου καταγραφής σε αποσφαλμάτωση - τρέχον επίπεδο: \"%s\"", "Reset log level to \"%s\"" : "Επαναφορά επιπέδου καταγραφής σε \"%s\"", - "Following incompatible apps have been disabled: %s" : "Οι παρακάτω εφαρμογές έχουν απενεργοποιηθεί: %s", "Following apps have been disabled: %s" : "Οι ακόλουθες εφαρμογές έχουν απενεργοποιηθεί: %s", "Already up to date" : "Ήδη ενημερωμένο", "File is too big" : "Το αρχείο είναι πολύ μεγάλο", diff --git a/core/l10n/en_GB.js b/core/l10n/en_GB.js index d2f3ce77c73..b669829f061 100644 --- a/core/l10n/en_GB.js +++ b/core/l10n/en_GB.js @@ -10,7 +10,6 @@ OC.L10N.register( "Updated \"%s\" to %s" : "Updated \"%s\" to %s", "Repair warning: " : "Repair warning: ", "Repair error: " : "Repair error: ", - "Following incompatible apps have been disabled: %s" : "Following incompatible apps have been disabled: %s", "Invalid file provided" : "Invalid file provided", "No image or file provided" : "No image or file provided", "Unknown filetype" : "Unknown filetype", diff --git a/core/l10n/en_GB.json b/core/l10n/en_GB.json index 75e8e30d594..5514abe5c44 100644 --- a/core/l10n/en_GB.json +++ b/core/l10n/en_GB.json @@ -8,7 +8,6 @@ "Updated \"%s\" to %s" : "Updated \"%s\" to %s", "Repair warning: " : "Repair warning: ", "Repair error: " : "Repair error: ", - "Following incompatible apps have been disabled: %s" : "Following incompatible apps have been disabled: %s", "Invalid file provided" : "Invalid file provided", "No image or file provided" : "No image or file provided", "Unknown filetype" : "Unknown filetype", diff --git a/core/l10n/es.js b/core/l10n/es.js index 4ee9dac0760..a9ee8ede55e 100644 --- a/core/l10n/es.js +++ b/core/l10n/es.js @@ -15,7 +15,6 @@ OC.L10N.register( "Repair error: " : "Error que reparar:", "Set log level to debug - current level: \"%s\"" : "Establecer nivel de registro para depurar - nivel actual: \"%s\"", "Reset log level to \"%s\"" : "Restablecer nivel de registro a \"%s\"", - "Following incompatible apps have been disabled: %s" : "Las siguientes apps incompatibles se han deshabilitado: %s", "Following apps have been disabled: %s" : "Siguiendo aplicaciones ha sido deshabilitado: %s", "Already up to date" : "Ya actualizado", "File is too big" : "El archivo es demasiado grande", diff --git a/core/l10n/es.json b/core/l10n/es.json index 8a598d505e5..ccd38613554 100644 --- a/core/l10n/es.json +++ b/core/l10n/es.json @@ -13,7 +13,6 @@ "Repair error: " : "Error que reparar:", "Set log level to debug - current level: \"%s\"" : "Establecer nivel de registro para depurar - nivel actual: \"%s\"", "Reset log level to \"%s\"" : "Restablecer nivel de registro a \"%s\"", - "Following incompatible apps have been disabled: %s" : "Las siguientes apps incompatibles se han deshabilitado: %s", "Following apps have been disabled: %s" : "Siguiendo aplicaciones ha sido deshabilitado: %s", "Already up to date" : "Ya actualizado", "File is too big" : "El archivo es demasiado grande", diff --git a/core/l10n/et_EE.js b/core/l10n/et_EE.js index a55e1c04ccd..48fc8219653 100644 --- a/core/l10n/et_EE.js +++ b/core/l10n/et_EE.js @@ -11,7 +11,6 @@ OC.L10N.register( "Updated \"%s\" to %s" : "Uuendatud \"%s\" -> %s", "Repair warning: " : "Paranda hoiatus:", "Repair error: " : "Paranda viga:", - "Following incompatible apps have been disabled: %s" : "Järgnevad mitteühilduvad rakendused on välja lülitatud: %s", "Following apps have been disabled: %s" : "Järgnevad rakendused on välja lülitatud: %s", "Already up to date" : "On juba ajakohane", "File is too big" : "Fail on liiga suur", diff --git a/core/l10n/et_EE.json b/core/l10n/et_EE.json index ee32aba5690..0c56d74d091 100644 --- a/core/l10n/et_EE.json +++ b/core/l10n/et_EE.json @@ -9,7 +9,6 @@ "Updated \"%s\" to %s" : "Uuendatud \"%s\" -> %s", "Repair warning: " : "Paranda hoiatus:", "Repair error: " : "Paranda viga:", - "Following incompatible apps have been disabled: %s" : "Järgnevad mitteühilduvad rakendused on välja lülitatud: %s", "Following apps have been disabled: %s" : "Järgnevad rakendused on välja lülitatud: %s", "Already up to date" : "On juba ajakohane", "File is too big" : "Fail on liiga suur", diff --git a/core/l10n/fi_FI.js b/core/l10n/fi_FI.js index c0f89d5899d..1be27c6f469 100644 --- a/core/l10n/fi_FI.js +++ b/core/l10n/fi_FI.js @@ -7,15 +7,20 @@ OC.L10N.register( "Turned on maintenance mode" : "Siirrytty huoltotilaan", "Turned off maintenance mode" : "Huoltotila asetettu pois päältä", "Maintenance mode is kept active" : "Huoltotila pidetään aktiivisena", + "Updating database schema" : "Päivitetään tietokannan skeemaa", "Updated database" : "Tietokanta ajan tasalla", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Tarkistetaan onko tietokannan skeemaa mahdollista päivittää (tämä saattaa kestää kauan riippuen tietokannan koosta)", "Checked database schema update" : "Tarkistettu tietokannan skeemapäivitys", + "Checking updates of apps" : "Tarkistetaan sovellusten päivityksiä", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Tarkistetaan onko kohteen %s tietokannan skeemaa mahdollista päivittää (tämä saattaa kestää kauan riippuen tietokannan koosta)", "Checked database schema update for apps" : "Tarkistettu tietokannan skeemapäivitys sovelluksille", "Updated \"%s\" to %s" : "Päivitetty \"%s\" versioon %s", "Repair warning: " : "Korjausvaroitus:", "Repair error: " : "Korjausvirhe:", "Set log level to debug - current level: \"%s\"" : "Aseta lokitasoksi vianjäljitys - nykyinen taso: \"%s\"", "Reset log level to \"%s\"" : "Palauta lokitasoksi \"%s\"", - "Following incompatible apps have been disabled: %s" : "Seuraavat yhteensopimattomat sovellukset on poistettu käytöstä: %s", + "%s (3rdparty)" : "%s (kolmannen osapuolen)", + "%s (incompatible)" : "%s (ei yhteensopiva)", "Following apps have been disabled: %s" : "Seuraavat sovellukset on poistettu käytöstä: %s", "Already up to date" : "Kaikki on jo ajan tasalla", "File is too big" : "Tiedosto on liian suuri", @@ -173,6 +178,7 @@ OC.L10N.register( "Hello {name}" : "Hei {name}", "_download %n file_::_download %n files_" : ["lataa %n tiedosto","lataa %n tiedostoa"], "{version} is available. Get more information on how to update." : "{version} on saatavilla. Tarjolla on lisätietoja päivittämisestä.", + "The upgrade is in progress, leaving this page might interrupt the process in some environments." : "Päivitys on meneillään. Poistuminen tältä sivulta saattaa keskeyttää toimenpiteen joissain käyttöympäristöissä.", "Updating {productName} to version {version}, this may take a while." : "Päivitetään {productName} versioon {version}, tämä saattaa kestää hetken.", "An error occurred." : "Tapahtui virhe.", "Please reload the page." : "Päivitä sivu.", diff --git a/core/l10n/fi_FI.json b/core/l10n/fi_FI.json index 52c1c5553b3..a722c9092e8 100644 --- a/core/l10n/fi_FI.json +++ b/core/l10n/fi_FI.json @@ -5,15 +5,20 @@ "Turned on maintenance mode" : "Siirrytty huoltotilaan", "Turned off maintenance mode" : "Huoltotila asetettu pois päältä", "Maintenance mode is kept active" : "Huoltotila pidetään aktiivisena", + "Updating database schema" : "Päivitetään tietokannan skeemaa", "Updated database" : "Tietokanta ajan tasalla", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Tarkistetaan onko tietokannan skeemaa mahdollista päivittää (tämä saattaa kestää kauan riippuen tietokannan koosta)", "Checked database schema update" : "Tarkistettu tietokannan skeemapäivitys", + "Checking updates of apps" : "Tarkistetaan sovellusten päivityksiä", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Tarkistetaan onko kohteen %s tietokannan skeemaa mahdollista päivittää (tämä saattaa kestää kauan riippuen tietokannan koosta)", "Checked database schema update for apps" : "Tarkistettu tietokannan skeemapäivitys sovelluksille", "Updated \"%s\" to %s" : "Päivitetty \"%s\" versioon %s", "Repair warning: " : "Korjausvaroitus:", "Repair error: " : "Korjausvirhe:", "Set log level to debug - current level: \"%s\"" : "Aseta lokitasoksi vianjäljitys - nykyinen taso: \"%s\"", "Reset log level to \"%s\"" : "Palauta lokitasoksi \"%s\"", - "Following incompatible apps have been disabled: %s" : "Seuraavat yhteensopimattomat sovellukset on poistettu käytöstä: %s", + "%s (3rdparty)" : "%s (kolmannen osapuolen)", + "%s (incompatible)" : "%s (ei yhteensopiva)", "Following apps have been disabled: %s" : "Seuraavat sovellukset on poistettu käytöstä: %s", "Already up to date" : "Kaikki on jo ajan tasalla", "File is too big" : "Tiedosto on liian suuri", @@ -171,6 +176,7 @@ "Hello {name}" : "Hei {name}", "_download %n file_::_download %n files_" : ["lataa %n tiedosto","lataa %n tiedostoa"], "{version} is available. Get more information on how to update." : "{version} on saatavilla. Tarjolla on lisätietoja päivittämisestä.", + "The upgrade is in progress, leaving this page might interrupt the process in some environments." : "Päivitys on meneillään. Poistuminen tältä sivulta saattaa keskeyttää toimenpiteen joissain käyttöympäristöissä.", "Updating {productName} to version {version}, this may take a while." : "Päivitetään {productName} versioon {version}, tämä saattaa kestää hetken.", "An error occurred." : "Tapahtui virhe.", "Please reload the page." : "Päivitä sivu.", diff --git a/core/l10n/fr.js b/core/l10n/fr.js index 905e9943c3f..bfd50415ea7 100644 --- a/core/l10n/fr.js +++ b/core/l10n/fr.js @@ -7,15 +7,20 @@ OC.L10N.register( "Turned on maintenance mode" : "Mode de maintenance activé", "Turned off maintenance mode" : "Mode de maintenance désactivé", "Maintenance mode is kept active" : "Le mode de maintenance est laissé actif", + "Updating database schema" : "Mise à jour du schéma de la base de données", "Updated database" : "Base de données mise à jour", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Vérification de la possibilité de mettre à jour le schéma de la base de données (cela peut prendre un certain temps)", "Checked database schema update" : "Mise à jour du schéma de la base de données vérifiée", + "Checking updates of apps" : "Recherche de mises à jour pour les applications", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Vérification de la possibilité de mettre à jour le schéma de la base de données pour %s (cela peut prendre un certain temps)", "Checked database schema update for apps" : "Mise à jour du schéma de la base de données pour les applications vérifiée", "Updated \"%s\" to %s" : "Mise à jour de « %s » vers %s", "Repair warning: " : "Avertissement de réparation :", "Repair error: " : "Erreur de réparation :", "Set log level to debug - current level: \"%s\"" : "Réglage du niveau de log à \"debug\" - niveau actuel: \"%s\"", "Reset log level to \"%s\"" : "Réglage du niveau de log à \"%s\"", - "Following incompatible apps have been disabled: %s" : "Les applications incompatibles suivantes ont été désactivées : %s", + "%s (3rdparty)" : "%s (origine tierce)", + "%s (incompatible)" : "%s (non compatible)", "Following apps have been disabled: %s" : "Les applications suivantes ont été désactivées : %s", "Already up to date" : "Déjà à jour", "File is too big" : "Fichier trop volumineux", @@ -173,6 +178,7 @@ OC.L10N.register( "Hello {name}" : "Hello {name}", "_download %n file_::_download %n files_" : ["Télécharger %n fichier","Télécharger %n fichiers"], "{version} is available. Get more information on how to update." : "La version {version} est disponible. Cliquez ici pour plus d'informations à propos de cette mise à jour.", + "The upgrade is in progress, leaving this page might interrupt the process in some environments." : "La mise à jour est en cours. Selon la configuration, le fait de quitter cette page peut entraîner l'interruption de la procédure.", "Updating {productName} to version {version}, this may take a while." : "La mise à jour de {productName} vers la version {version} est en cours. Cela peut prendre un certain temps.", "An error occurred." : "Une erreur est survenue.", "Please reload the page." : "Veuillez recharger la page.", diff --git a/core/l10n/fr.json b/core/l10n/fr.json index 9cfa4af12c1..1f39b2b8ad4 100644 --- a/core/l10n/fr.json +++ b/core/l10n/fr.json @@ -5,15 +5,20 @@ "Turned on maintenance mode" : "Mode de maintenance activé", "Turned off maintenance mode" : "Mode de maintenance désactivé", "Maintenance mode is kept active" : "Le mode de maintenance est laissé actif", + "Updating database schema" : "Mise à jour du schéma de la base de données", "Updated database" : "Base de données mise à jour", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Vérification de la possibilité de mettre à jour le schéma de la base de données (cela peut prendre un certain temps)", "Checked database schema update" : "Mise à jour du schéma de la base de données vérifiée", + "Checking updates of apps" : "Recherche de mises à jour pour les applications", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Vérification de la possibilité de mettre à jour le schéma de la base de données pour %s (cela peut prendre un certain temps)", "Checked database schema update for apps" : "Mise à jour du schéma de la base de données pour les applications vérifiée", "Updated \"%s\" to %s" : "Mise à jour de « %s » vers %s", "Repair warning: " : "Avertissement de réparation :", "Repair error: " : "Erreur de réparation :", "Set log level to debug - current level: \"%s\"" : "Réglage du niveau de log à \"debug\" - niveau actuel: \"%s\"", "Reset log level to \"%s\"" : "Réglage du niveau de log à \"%s\"", - "Following incompatible apps have been disabled: %s" : "Les applications incompatibles suivantes ont été désactivées : %s", + "%s (3rdparty)" : "%s (origine tierce)", + "%s (incompatible)" : "%s (non compatible)", "Following apps have been disabled: %s" : "Les applications suivantes ont été désactivées : %s", "Already up to date" : "Déjà à jour", "File is too big" : "Fichier trop volumineux", @@ -171,6 +176,7 @@ "Hello {name}" : "Hello {name}", "_download %n file_::_download %n files_" : ["Télécharger %n fichier","Télécharger %n fichiers"], "{version} is available. Get more information on how to update." : "La version {version} est disponible. Cliquez ici pour plus d'informations à propos de cette mise à jour.", + "The upgrade is in progress, leaving this page might interrupt the process in some environments." : "La mise à jour est en cours. Selon la configuration, le fait de quitter cette page peut entraîner l'interruption de la procédure.", "Updating {productName} to version {version}, this may take a while." : "La mise à jour de {productName} vers la version {version} est en cours. Cela peut prendre un certain temps.", "An error occurred." : "Une erreur est survenue.", "Please reload the page." : "Veuillez recharger la page.", diff --git a/core/l10n/gl.js b/core/l10n/gl.js index 5ac505ab535..bf1b9fceb39 100644 --- a/core/l10n/gl.js +++ b/core/l10n/gl.js @@ -11,7 +11,6 @@ OC.L10N.register( "Updated \"%s\" to %s" : "Actualizado «%s» a %s", "Repair warning: " : "Aviso de arranxo:", "Repair error: " : "Arranxar o erro:", - "Following incompatible apps have been disabled: %s" : "As seguintes aplicacións incompatíbeis foron desactivadas: %s", "Following apps have been disabled: %s" : "As seguintes aplicacións foron desactivadas: %s", "File is too big" : "O ficheiro é grande de máis", "Invalid file provided" : "O ficheiro fornecido non é válido", diff --git a/core/l10n/gl.json b/core/l10n/gl.json index d9b28a5a86f..2c8864fb13c 100644 --- a/core/l10n/gl.json +++ b/core/l10n/gl.json @@ -9,7 +9,6 @@ "Updated \"%s\" to %s" : "Actualizado «%s» a %s", "Repair warning: " : "Aviso de arranxo:", "Repair error: " : "Arranxar o erro:", - "Following incompatible apps have been disabled: %s" : "As seguintes aplicacións incompatíbeis foron desactivadas: %s", "Following apps have been disabled: %s" : "As seguintes aplicacións foron desactivadas: %s", "File is too big" : "O ficheiro é grande de máis", "Invalid file provided" : "O ficheiro fornecido non é válido", diff --git a/core/l10n/hu_HU.js b/core/l10n/hu_HU.js index 05b34ef23e3..cbf6eae1820 100644 --- a/core/l10n/hu_HU.js +++ b/core/l10n/hu_HU.js @@ -15,7 +15,6 @@ OC.L10N.register( "Repair error: " : "Javítás hiba:", "Set log level to debug - current level: \"%s\"" : "Hibakeresési naplózási szint beállítása - jelenlegi szint: \"%s\"", "Reset log level to \"%s\"" : "Naplózási szint visszaállítása \"%s\"-re", - "Following incompatible apps have been disabled: %s" : "A következő nem kompatibilis applikációk lettek tiltva: %s", "Following apps have been disabled: %s" : "A következő applikációk lettek tiltva: %s", "Already up to date" : "Már a legfrissebb változat", "File is too big" : "A fájl túl nagy", diff --git a/core/l10n/hu_HU.json b/core/l10n/hu_HU.json index c32ed57c5a2..3d57204bb4d 100644 --- a/core/l10n/hu_HU.json +++ b/core/l10n/hu_HU.json @@ -13,7 +13,6 @@ "Repair error: " : "Javítás hiba:", "Set log level to debug - current level: \"%s\"" : "Hibakeresési naplózási szint beállítása - jelenlegi szint: \"%s\"", "Reset log level to \"%s\"" : "Naplózási szint visszaállítása \"%s\"-re", - "Following incompatible apps have been disabled: %s" : "A következő nem kompatibilis applikációk lettek tiltva: %s", "Following apps have been disabled: %s" : "A következő applikációk lettek tiltva: %s", "Already up to date" : "Már a legfrissebb változat", "File is too big" : "A fájl túl nagy", diff --git a/core/l10n/id.js b/core/l10n/id.js index 7213844072f..8e3b71651cd 100644 --- a/core/l10n/id.js +++ b/core/l10n/id.js @@ -15,7 +15,6 @@ OC.L10N.register( "Repair error: " : "Kesalahan perbaikan:", "Set log level to debug - current level: \"%s\"" : "Atur level log untuk debug - level saat ini: \"%s\"", "Reset log level to \"%s\"" : "Atur ulang level log menjadi \"%s\"", - "Following incompatible apps have been disabled: %s" : "Aplikasi tidak kompatibel berikut telah dinonaktifkan: %s", "Following apps have been disabled: %s" : "Aplikasi berikut telah dinonaktifkan: %s", "Already up to date" : "Sudah yang terbaru", "File is too big" : "Berkas terlalu besar", diff --git a/core/l10n/id.json b/core/l10n/id.json index 1c71260efec..918d095ba8e 100644 --- a/core/l10n/id.json +++ b/core/l10n/id.json @@ -13,7 +13,6 @@ "Repair error: " : "Kesalahan perbaikan:", "Set log level to debug - current level: \"%s\"" : "Atur level log untuk debug - level saat ini: \"%s\"", "Reset log level to \"%s\"" : "Atur ulang level log menjadi \"%s\"", - "Following incompatible apps have been disabled: %s" : "Aplikasi tidak kompatibel berikut telah dinonaktifkan: %s", "Following apps have been disabled: %s" : "Aplikasi berikut telah dinonaktifkan: %s", "Already up to date" : "Sudah yang terbaru", "File is too big" : "Berkas terlalu besar", diff --git a/core/l10n/is.js b/core/l10n/is.js index bc3b13aaf4e..cfacb5640bc 100644 --- a/core/l10n/is.js +++ b/core/l10n/is.js @@ -12,7 +12,6 @@ OC.L10N.register( "Updated \"%s\" to %s" : "Uppfært \\\"%s\\\" to %s", "Repair warning: " : "Viðgerðar viðvörun:", "Repair error: " : "Viðgerðar villa:", - "Following incompatible apps have been disabled: %s" : "Eftirfarandi forrit eru ósamhæfð hafa verið gerð óvirk: %s", "Following apps have been disabled: %s" : "Eftirfarandi forrit hafa verið gerð óvirk: %s", "Already up to date" : "Allt uppfært nú þegar", "File is too big" : "Skrá er of stór", diff --git a/core/l10n/is.json b/core/l10n/is.json index c46572fd129..527703e476b 100644 --- a/core/l10n/is.json +++ b/core/l10n/is.json @@ -10,7 +10,6 @@ "Updated \"%s\" to %s" : "Uppfært \\\"%s\\\" to %s", "Repair warning: " : "Viðgerðar viðvörun:", "Repair error: " : "Viðgerðar villa:", - "Following incompatible apps have been disabled: %s" : "Eftirfarandi forrit eru ósamhæfð hafa verið gerð óvirk: %s", "Following apps have been disabled: %s" : "Eftirfarandi forrit hafa verið gerð óvirk: %s", "Already up to date" : "Allt uppfært nú þegar", "File is too big" : "Skrá er of stór", diff --git a/core/l10n/it.js b/core/l10n/it.js index d3ac7cfa40d..74e2d063c39 100644 --- a/core/l10n/it.js +++ b/core/l10n/it.js @@ -7,15 +7,20 @@ OC.L10N.register( "Turned on maintenance mode" : "Modalità di manutenzione attivata", "Turned off maintenance mode" : "Modalità di manutenzione disattivata", "Maintenance mode is kept active" : "La modalità di manutenzione è lasciata attiva", + "Updating database schema" : "Aggiornamento schema database", "Updated database" : "Database aggiornato", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Controllo che lo schema del database possa essere aggiornato (ciò potrebbe richiedere molto tempo in base alla dimensione del database)", "Checked database schema update" : "Verificato l'aggiornamento dello schema del database", + "Checking updates of apps" : "Controllo degli aggiornamenti delle applicazioni", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Controllo che lo schema del database di %s possa essere aggiornato (ciò potrebbe richiedere molto tempo in base alla dimensione del database)", "Checked database schema update for apps" : "Verificato l'aggiornamento dello schema del database per le applicazioni", "Updated \"%s\" to %s" : "Aggiornato \"%s\" a %s", "Repair warning: " : "Avviso di riparazione", "Repair error: " : "Errore di riparazione:", "Set log level to debug - current level: \"%s\"" : "Imposta il livello del log a debug - livello attuale: \"%s\"", "Reset log level to \"%s\"" : "Ripristina il livello del log a \"%s\"", - "Following incompatible apps have been disabled: %s" : "Le seguenti applicazioni incompatibili sono state disabilitate: %s", + "%s (3rdparty)" : "%s (Terze parti)", + "%s (incompatible)" : "%s (incompatibile)", "Following apps have been disabled: %s" : "Le seguenti applicazioni sono state disabilitate: %s", "Already up to date" : "Già aggiornato", "File is too big" : "Il file è troppo grande", @@ -173,6 +178,7 @@ OC.L10N.register( "Hello {name}" : "Ciao {name}", "_download %n file_::_download %n files_" : ["scarica %n file","scarica %s file"], "{version} is available. Get more information on how to update." : "{version} è disponibile. Ottieni ulteriori informazioni su come eseguire l'aggiornamento.", + "The upgrade is in progress, leaving this page might interrupt the process in some environments." : "L'aggiornamento è in corso, l'abbandono di questa pagina potrebbe interrompere il processo in alcuni ambienti.", "Updating {productName} to version {version}, this may take a while." : "Aggiornamento di {productName} alla versione {version}, potrebbe richiedere del tempo.", "An error occurred." : "Si è verificato un errore.", "Please reload the page." : "Ricarica la pagina.", diff --git a/core/l10n/it.json b/core/l10n/it.json index 4862e2b5efe..23bc096eb87 100644 --- a/core/l10n/it.json +++ b/core/l10n/it.json @@ -5,15 +5,20 @@ "Turned on maintenance mode" : "Modalità di manutenzione attivata", "Turned off maintenance mode" : "Modalità di manutenzione disattivata", "Maintenance mode is kept active" : "La modalità di manutenzione è lasciata attiva", + "Updating database schema" : "Aggiornamento schema database", "Updated database" : "Database aggiornato", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Controllo che lo schema del database possa essere aggiornato (ciò potrebbe richiedere molto tempo in base alla dimensione del database)", "Checked database schema update" : "Verificato l'aggiornamento dello schema del database", + "Checking updates of apps" : "Controllo degli aggiornamenti delle applicazioni", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Controllo che lo schema del database di %s possa essere aggiornato (ciò potrebbe richiedere molto tempo in base alla dimensione del database)", "Checked database schema update for apps" : "Verificato l'aggiornamento dello schema del database per le applicazioni", "Updated \"%s\" to %s" : "Aggiornato \"%s\" a %s", "Repair warning: " : "Avviso di riparazione", "Repair error: " : "Errore di riparazione:", "Set log level to debug - current level: \"%s\"" : "Imposta il livello del log a debug - livello attuale: \"%s\"", "Reset log level to \"%s\"" : "Ripristina il livello del log a \"%s\"", - "Following incompatible apps have been disabled: %s" : "Le seguenti applicazioni incompatibili sono state disabilitate: %s", + "%s (3rdparty)" : "%s (Terze parti)", + "%s (incompatible)" : "%s (incompatibile)", "Following apps have been disabled: %s" : "Le seguenti applicazioni sono state disabilitate: %s", "Already up to date" : "Già aggiornato", "File is too big" : "Il file è troppo grande", @@ -171,6 +176,7 @@ "Hello {name}" : "Ciao {name}", "_download %n file_::_download %n files_" : ["scarica %n file","scarica %s file"], "{version} is available. Get more information on how to update." : "{version} è disponibile. Ottieni ulteriori informazioni su come eseguire l'aggiornamento.", + "The upgrade is in progress, leaving this page might interrupt the process in some environments." : "L'aggiornamento è in corso, l'abbandono di questa pagina potrebbe interrompere il processo in alcuni ambienti.", "Updating {productName} to version {version}, this may take a while." : "Aggiornamento di {productName} alla versione {version}, potrebbe richiedere del tempo.", "An error occurred." : "Si è verificato un errore.", "Please reload the page." : "Ricarica la pagina.", diff --git a/core/l10n/ja.js b/core/l10n/ja.js index b819989c217..c13d8548bc1 100644 --- a/core/l10n/ja.js +++ b/core/l10n/ja.js @@ -2,6 +2,7 @@ OC.L10N.register( "core", { "Couldn't send mail to following users: %s " : "次のユーザーにメールを送信できませんでした: %s", + "Preparing update" : "アップデートの準備中", "Turned on maintenance mode" : "メンテナンスモードがオンになりました", "Turned off maintenance mode" : "メンテナンスモードがオフになりました", "Maintenance mode is kept active" : "メンテナンスモードが継続中です", @@ -11,7 +12,6 @@ OC.L10N.register( "Updated \"%s\" to %s" : "\"%s\" を %s にアップデートしました。", "Repair warning: " : "修復警告:", "Repair error: " : "修復エラー:", - "Following incompatible apps have been disabled: %s" : "次の互換性のないアプリは無効にされています: %s", "Following apps have been disabled: %s" : "以下のアプリが無効にされています: %s", "File is too big" : "ファイルが大きすぎます", "Invalid file provided" : "無効なファイルが提供されました", @@ -165,6 +165,7 @@ OC.L10N.register( "_download %n file_::_download %n files_" : ["%n個のファイルをダウンロード"], "{version} is available. Get more information on how to update." : "{version} が利用可能です。アップデート方法について詳細情報を確認してください。", "Updating {productName} to version {version}, this may take a while." : "{productName} を バージョン {version} に更新しています。しばらくお待ちください。", + "An error occurred." : "エラーが発生しました。", "Please reload the page." : "ページをリロードしてください。", "The update was unsuccessful. " : "アップデートに失敗しました。", "The update was successful. There were warnings." : "アップデートは成功しました。警告がありました。", @@ -197,7 +198,7 @@ OC.L10N.register( "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." : "共有は %s で有効期限が切れます。", "Cheers!" : "それでは!", - "Internal Server Error" : "内部サーバエラー", + "Internal Server Error" : "内部サーバーエラー", "The server encountered an internal error and was unable to complete your request." : "サーバー内でエラーが発生したため、リクエストを完了できませんでした。", "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "このエラーが繰り返し表示されるようであれば、以下の技術情報を添付してサーバー管理者に問い合わせてください。", "More details can be found in the server log." : "詳細は、サーバーのログを確認してください。", diff --git a/core/l10n/ja.json b/core/l10n/ja.json index 4d9d98b9ef3..7134e2aecb7 100644 --- a/core/l10n/ja.json +++ b/core/l10n/ja.json @@ -1,5 +1,6 @@ { "translations": { "Couldn't send mail to following users: %s " : "次のユーザーにメールを送信できませんでした: %s", + "Preparing update" : "アップデートの準備中", "Turned on maintenance mode" : "メンテナンスモードがオンになりました", "Turned off maintenance mode" : "メンテナンスモードがオフになりました", "Maintenance mode is kept active" : "メンテナンスモードが継続中です", @@ -9,7 +10,6 @@ "Updated \"%s\" to %s" : "\"%s\" を %s にアップデートしました。", "Repair warning: " : "修復警告:", "Repair error: " : "修復エラー:", - "Following incompatible apps have been disabled: %s" : "次の互換性のないアプリは無効にされています: %s", "Following apps have been disabled: %s" : "以下のアプリが無効にされています: %s", "File is too big" : "ファイルが大きすぎます", "Invalid file provided" : "無効なファイルが提供されました", @@ -163,6 +163,7 @@ "_download %n file_::_download %n files_" : ["%n個のファイルをダウンロード"], "{version} is available. Get more information on how to update." : "{version} が利用可能です。アップデート方法について詳細情報を確認してください。", "Updating {productName} to version {version}, this may take a while." : "{productName} を バージョン {version} に更新しています。しばらくお待ちください。", + "An error occurred." : "エラーが発生しました。", "Please reload the page." : "ページをリロードしてください。", "The update was unsuccessful. " : "アップデートに失敗しました。", "The update was successful. There were warnings." : "アップデートは成功しました。警告がありました。", @@ -195,7 +196,7 @@ "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." : "共有は %s で有効期限が切れます。", "Cheers!" : "それでは!", - "Internal Server Error" : "内部サーバエラー", + "Internal Server Error" : "内部サーバーエラー", "The server encountered an internal error and was unable to complete your request." : "サーバー内でエラーが発生したため、リクエストを完了できませんでした。", "Please contact the server administrator if this error reappears multiple times, please include the technical details below in your report." : "このエラーが繰り返し表示されるようであれば、以下の技術情報を添付してサーバー管理者に問い合わせてください。", "More details can be found in the server log." : "詳細は、サーバーのログを確認してください。", diff --git a/core/l10n/ko.js b/core/l10n/ko.js index 4198d5ea74a..90cac2d0ded 100644 --- a/core/l10n/ko.js +++ b/core/l10n/ko.js @@ -15,7 +15,6 @@ OC.L10N.register( "Repair error: " : "수리 오류:", "Set log level to debug - current level: \"%s\"" : "로그 단계를 디버그로 설정함 - 현재 단계: \"%s\"", "Reset log level to \"%s\"" : "로그 단계를 \"%s\"(으)로 초기화", - "Following incompatible apps have been disabled: %s" : "다음 호환되지 않는 앱이 비활성화되었습니다: %s", "Following apps have been disabled: %s" : "다음 앱이 비활성화되었습니다: %s", "Already up to date" : "최신 상태임", "File is too big" : "파일이 너무 큼", diff --git a/core/l10n/ko.json b/core/l10n/ko.json index 64341720004..c0623020662 100644 --- a/core/l10n/ko.json +++ b/core/l10n/ko.json @@ -13,7 +13,6 @@ "Repair error: " : "수리 오류:", "Set log level to debug - current level: \"%s\"" : "로그 단계를 디버그로 설정함 - 현재 단계: \"%s\"", "Reset log level to \"%s\"" : "로그 단계를 \"%s\"(으)로 초기화", - "Following incompatible apps have been disabled: %s" : "다음 호환되지 않는 앱이 비활성화되었습니다: %s", "Following apps have been disabled: %s" : "다음 앱이 비활성화되었습니다: %s", "Already up to date" : "최신 상태임", "File is too big" : "파일이 너무 큼", diff --git a/core/l10n/lt_LT.js b/core/l10n/lt_LT.js index 622dbb5ab3d..bead18595e6 100644 --- a/core/l10n/lt_LT.js +++ b/core/l10n/lt_LT.js @@ -14,7 +14,6 @@ OC.L10N.register( "Repair error: " : "Taisymo klaida:", "Set log level to debug - current level: \"%s\"" : "Nustatykite žurnalų lygį į derinimas - dabar \"%s\"", "Reset log level to \"%s\"" : "Atkurkite žurnalų lygį į \"%s\"", - "Following incompatible apps have been disabled: %s" : "Nesudarinami įskiepiai buvo išjungti: %s", "Following apps have been disabled: %s" : "Išjungti įskiepiai: %s", "Already up to date" : "Jau naujausia", "File is too big" : "Per didelis failas", diff --git a/core/l10n/lt_LT.json b/core/l10n/lt_LT.json index 998cd62a5b2..84f9e4a0f2d 100644 --- a/core/l10n/lt_LT.json +++ b/core/l10n/lt_LT.json @@ -12,7 +12,6 @@ "Repair error: " : "Taisymo klaida:", "Set log level to debug - current level: \"%s\"" : "Nustatykite žurnalų lygį į derinimas - dabar \"%s\"", "Reset log level to \"%s\"" : "Atkurkite žurnalų lygį į \"%s\"", - "Following incompatible apps have been disabled: %s" : "Nesudarinami įskiepiai buvo išjungti: %s", "Following apps have been disabled: %s" : "Išjungti įskiepiai: %s", "Already up to date" : "Jau naujausia", "File is too big" : "Per didelis failas", diff --git a/core/l10n/mk.js b/core/l10n/mk.js index ef283e7d24f..bf4997c9069 100644 --- a/core/l10n/mk.js +++ b/core/l10n/mk.js @@ -10,7 +10,6 @@ OC.L10N.register( "Updated \"%s\" to %s" : "Ажурирано е \"%s\" во %s", "Repair warning: " : "Предупредувања при поправка:", "Repair error: " : "Грешка при поправка:", - "Following incompatible apps have been disabled: %s" : "Следниве некомпатибилни апликации се оневозможени: %s", "Invalid file provided" : "Дадена е невалидна датотека", "No image or file provided" : "Не е доставена фотографија или датотека", "Unknown filetype" : "Непознат тип на датотека", diff --git a/core/l10n/mk.json b/core/l10n/mk.json index 258a912388d..39d238c8608 100644 --- a/core/l10n/mk.json +++ b/core/l10n/mk.json @@ -8,7 +8,6 @@ "Updated \"%s\" to %s" : "Ажурирано е \"%s\" во %s", "Repair warning: " : "Предупредувања при поправка:", "Repair error: " : "Грешка при поправка:", - "Following incompatible apps have been disabled: %s" : "Следниве некомпатибилни апликации се оневозможени: %s", "Invalid file provided" : "Дадена е невалидна датотека", "No image or file provided" : "Не е доставена фотографија или датотека", "Unknown filetype" : "Непознат тип на датотека", diff --git a/core/l10n/nb_NO.js b/core/l10n/nb_NO.js index 13cf58087a9..15d8a65b166 100644 --- a/core/l10n/nb_NO.js +++ b/core/l10n/nb_NO.js @@ -12,7 +12,6 @@ OC.L10N.register( "Updated \"%s\" to %s" : "Oppdaterte \"%s\" til %s", "Repair warning: " : "Advarsel fra reparering: ", "Repair error: " : "Feil ved reparering: ", - "Following incompatible apps have been disabled: %s" : "Følgende inkompatible apper har blitt deaktivert: %s", "Following apps have been disabled: %s" : "Følgende apper har blitt deaktivert: %s", "Already up to date" : "Allerede oppdatert", "File is too big" : "Filen er for stor", diff --git a/core/l10n/nb_NO.json b/core/l10n/nb_NO.json index efdf8439833..1441a3a83d2 100644 --- a/core/l10n/nb_NO.json +++ b/core/l10n/nb_NO.json @@ -10,7 +10,6 @@ "Updated \"%s\" to %s" : "Oppdaterte \"%s\" til %s", "Repair warning: " : "Advarsel fra reparering: ", "Repair error: " : "Feil ved reparering: ", - "Following incompatible apps have been disabled: %s" : "Følgende inkompatible apper har blitt deaktivert: %s", "Following apps have been disabled: %s" : "Følgende apper har blitt deaktivert: %s", "Already up to date" : "Allerede oppdatert", "File is too big" : "Filen er for stor", diff --git a/core/l10n/nds.js b/core/l10n/nds.js index 9c81f34e70f..65aacb0a081 100644 --- a/core/l10n/nds.js +++ b/core/l10n/nds.js @@ -15,7 +15,6 @@ OC.L10N.register( "Repair error: " : "Reparaturfehler", "Set log level to debug - current level: \"%s\"" : "Protokollierungsstufe auf Debug gesetzt - Aktuelle Stufe: \"%s\"", "Reset log level to \"%s\"" : "Protokollierungsstufe auf \"%s\" zurückgesetzt", - "Following incompatible apps have been disabled: %s" : "Folgende inkompatible Apps wurden deaktiviert: %s", "Following apps have been disabled: %s" : "Folgende Apps wurden deaktiviert: %s", "Already up to date" : "Bereits aktuell", "File is too big" : "Datei ist zu groß", diff --git a/core/l10n/nds.json b/core/l10n/nds.json index e62ab93e307..111325199df 100644 --- a/core/l10n/nds.json +++ b/core/l10n/nds.json @@ -13,7 +13,6 @@ "Repair error: " : "Reparaturfehler", "Set log level to debug - current level: \"%s\"" : "Protokollierungsstufe auf Debug gesetzt - Aktuelle Stufe: \"%s\"", "Reset log level to \"%s\"" : "Protokollierungsstufe auf \"%s\" zurückgesetzt", - "Following incompatible apps have been disabled: %s" : "Folgende inkompatible Apps wurden deaktiviert: %s", "Following apps have been disabled: %s" : "Folgende Apps wurden deaktiviert: %s", "Already up to date" : "Bereits aktuell", "File is too big" : "Datei ist zu groß", diff --git a/core/l10n/nl.js b/core/l10n/nl.js index 4828e3ba098..44ab2bd31f6 100644 --- a/core/l10n/nl.js +++ b/core/l10n/nl.js @@ -15,7 +15,6 @@ OC.L10N.register( "Repair error: " : "Reparatiefout:", "Set log level to debug - current level: \"%s\"" : "Instellen logniveau op debug - huidige niveau: \"%s\"", "Reset log level to \"%s\"" : "Terugzetten logniveau op \"#%s\"", - "Following incompatible apps have been disabled: %s" : "De volgende incompatibele apps zijn uitgeschakeld: %s", "Following apps have been disabled: %s" : "De volgende apps zijn gedeactiveerd: %s", "Already up to date" : "Al bijgewerkt", "File is too big" : "Bestand te groot", diff --git a/core/l10n/nl.json b/core/l10n/nl.json index 900d89cdc50..6812d59aca6 100644 --- a/core/l10n/nl.json +++ b/core/l10n/nl.json @@ -13,7 +13,6 @@ "Repair error: " : "Reparatiefout:", "Set log level to debug - current level: \"%s\"" : "Instellen logniveau op debug - huidige niveau: \"%s\"", "Reset log level to \"%s\"" : "Terugzetten logniveau op \"#%s\"", - "Following incompatible apps have been disabled: %s" : "De volgende incompatibele apps zijn uitgeschakeld: %s", "Following apps have been disabled: %s" : "De volgende apps zijn gedeactiveerd: %s", "Already up to date" : "Al bijgewerkt", "File is too big" : "Bestand te groot", diff --git a/core/l10n/oc.js b/core/l10n/oc.js index 48a672add67..b578bc1349f 100644 --- a/core/l10n/oc.js +++ b/core/l10n/oc.js @@ -10,7 +10,6 @@ OC.L10N.register( "Updated \"%s\" to %s" : "Mesa a jorn de « %s » cap a %s", "Repair warning: " : "Avertiment de reparacion :", "Repair error: " : "Error de reparacion :", - "Following incompatible apps have been disabled: %s" : "Las aplicacions incompatiblas seguentas son estadas desactivadas : %s", "Invalid file provided" : "Fichièr invalid", "No image or file provided" : "Cap de fichièr pas provesit", "Unknown filetype" : "Tipe de fichièr desconegut", @@ -27,24 +26,24 @@ OC.L10N.register( "Friday" : "Divendres", "Saturday" : "Dissabte", "Sun." : "Dim.", - "Mon." : "Luns.", - "Tue." : "Març.", - "Wed." : "Mec.", + "Mon." : "Lun.", + "Tue." : "Mar.", + "Wed." : "Mèc.", "Thu." : "Jòu.", "Fri." : "Ven.", "Sat." : "Sab.", - "January" : "genièr", - "February" : "febrièr", - "March" : "març", - "April" : "abril", - "May" : "mai", - "June" : "junh", - "July" : "julhet", - "August" : "agost", - "September" : "setembre", - "October" : "octobre", - "November" : "novembre", - "December" : "decembre", + "January" : "Genièr", + "February" : "Febrièr", + "March" : "Març", + "April" : "Abril", + "May" : "Mai", + "June" : "Junh", + "July" : "Julhet", + "August" : "Agost", + "September" : "Setembre", + "October" : "Octobre", + "November" : "Novembre", + "December" : "Decembre", "Jan." : "Gen.", "Feb." : "Feb.", "Mar." : "Mar.", @@ -53,7 +52,7 @@ OC.L10N.register( "Jun." : "Jun.", "Jul." : "Jul.", "Aug." : "Ago.", - "Sep." : "Sep.", + "Sep." : "Set.", "Oct." : "Oct.", "Nov." : "Nov.", "Dec." : "Dec.", diff --git a/core/l10n/oc.json b/core/l10n/oc.json index 44402648aa7..a0851af4b6c 100644 --- a/core/l10n/oc.json +++ b/core/l10n/oc.json @@ -8,7 +8,6 @@ "Updated \"%s\" to %s" : "Mesa a jorn de « %s » cap a %s", "Repair warning: " : "Avertiment de reparacion :", "Repair error: " : "Error de reparacion :", - "Following incompatible apps have been disabled: %s" : "Las aplicacions incompatiblas seguentas son estadas desactivadas : %s", "Invalid file provided" : "Fichièr invalid", "No image or file provided" : "Cap de fichièr pas provesit", "Unknown filetype" : "Tipe de fichièr desconegut", @@ -25,24 +24,24 @@ "Friday" : "Divendres", "Saturday" : "Dissabte", "Sun." : "Dim.", - "Mon." : "Luns.", - "Tue." : "Març.", - "Wed." : "Mec.", + "Mon." : "Lun.", + "Tue." : "Mar.", + "Wed." : "Mèc.", "Thu." : "Jòu.", "Fri." : "Ven.", "Sat." : "Sab.", - "January" : "genièr", - "February" : "febrièr", - "March" : "març", - "April" : "abril", - "May" : "mai", - "June" : "junh", - "July" : "julhet", - "August" : "agost", - "September" : "setembre", - "October" : "octobre", - "November" : "novembre", - "December" : "decembre", + "January" : "Genièr", + "February" : "Febrièr", + "March" : "Març", + "April" : "Abril", + "May" : "Mai", + "June" : "Junh", + "July" : "Julhet", + "August" : "Agost", + "September" : "Setembre", + "October" : "Octobre", + "November" : "Novembre", + "December" : "Decembre", "Jan." : "Gen.", "Feb." : "Feb.", "Mar." : "Mar.", @@ -51,7 +50,7 @@ "Jun." : "Jun.", "Jul." : "Jul.", "Aug." : "Ago.", - "Sep." : "Sep.", + "Sep." : "Set.", "Oct." : "Oct.", "Nov." : "Nov.", "Dec." : "Dec.", diff --git a/core/l10n/pl.js b/core/l10n/pl.js index 525c4aef880..017985efffd 100644 --- a/core/l10n/pl.js +++ b/core/l10n/pl.js @@ -10,7 +10,6 @@ OC.L10N.register( "Updated \"%s\" to %s" : "Zaktualizowano \"%s\" do %s", "Repair warning: " : "Ostrzeżenie naprawiania:", "Repair error: " : "Błąd naprawiania:", - "Following incompatible apps have been disabled: %s" : "Poniższe niezgodne aplikacje zostały wyłączone: %s", "Invalid file provided" : "Podano błędny plik", "No image or file provided" : "Brak obrazu lub pliku dostarczonego", "Unknown filetype" : "Nieznany typ pliku", diff --git a/core/l10n/pl.json b/core/l10n/pl.json index d187cbcc626..4b554ae3742 100644 --- a/core/l10n/pl.json +++ b/core/l10n/pl.json @@ -8,7 +8,6 @@ "Updated \"%s\" to %s" : "Zaktualizowano \"%s\" do %s", "Repair warning: " : "Ostrzeżenie naprawiania:", "Repair error: " : "Błąd naprawiania:", - "Following incompatible apps have been disabled: %s" : "Poniższe niezgodne aplikacje zostały wyłączone: %s", "Invalid file provided" : "Podano błędny plik", "No image or file provided" : "Brak obrazu lub pliku dostarczonego", "Unknown filetype" : "Nieznany typ pliku", diff --git a/core/l10n/pt_BR.js b/core/l10n/pt_BR.js index a11d02acb78..1edc02cfa47 100644 --- a/core/l10n/pt_BR.js +++ b/core/l10n/pt_BR.js @@ -7,15 +7,20 @@ OC.L10N.register( "Turned on maintenance mode" : "Ativar modo de manutenção", "Turned off maintenance mode" : "Desligar o modo de manutenção", "Maintenance mode is kept active" : "O modo de manutenção está sendo mantido como ativo", + "Updating database schema" : "Actualização de esquema do banco de dados", "Updated database" : "Atualizar o banco de dados", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Verificar se o esquema do banco de dados pode ser atualizado (isso pode levar muito tempo, dependendo do tamanho do banco de dados)", "Checked database schema update" : "Verificado atualização do esquema de banco de dados", + "Checking updates of apps" : "Verificar atualizações de aplicativos", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Verificar se o esquema do banco de dados para %s pode ser atualizado (isso pode levar muito tempo, dependendo do tamanho do banco de dados)", "Checked database schema update for apps" : "Verificar atualização do esquema de banco de dados para aplicativos", "Updated \"%s\" to %s" : "Atualizado \"%s\" para %s", "Repair warning: " : "Aviso de reparação:", "Repair error: " : "Reparação de erro:", "Set log level to debug - current level: \"%s\"" : "Configure o nível de log para debug - nível corrente: \"%s\"", "Reset log level to \"%s\"" : "Reconfigurar o nível de log para \"%s\"", - "Following incompatible apps have been disabled: %s" : "Seguir aplicativos incompatíveis foi desativado: %s", + "%s (3rdparty)" : "%s (3ºterceiros)", + "%s (incompatible)" : "%s (incompatível)", "Following apps have been disabled: %s" : "Os seguintes aplicativos foram desabilitados: %s", "Already up to date" : "Já está atualizado", "File is too big" : "O arquivo é muito grande", @@ -173,6 +178,7 @@ OC.L10N.register( "Hello {name}" : "Olá {name}", "_download %n file_::_download %n files_" : ["baixar %n arquivo","baixar %n arquivos"], "{version} is available. Get more information on how to update." : "{version} está disponível. Obtenha mais informações sobre como atualizar.", + "The upgrade is in progress, leaving this page might interrupt the process in some environments." : "A atualização está em andamento, deixando esta página pode haver interrupção do processo em alguns ambientes.", "Updating {productName} to version {version}, this may take a while." : "Atualizando {productName} para a versão {version}, isso pode demorar um pouco.", "An error occurred." : "Ocorreu um erro.", "Please reload the page." : "Por favor recarregue a página", diff --git a/core/l10n/pt_BR.json b/core/l10n/pt_BR.json index efced19042d..50dfe9bc688 100644 --- a/core/l10n/pt_BR.json +++ b/core/l10n/pt_BR.json @@ -5,15 +5,20 @@ "Turned on maintenance mode" : "Ativar modo de manutenção", "Turned off maintenance mode" : "Desligar o modo de manutenção", "Maintenance mode is kept active" : "O modo de manutenção está sendo mantido como ativo", + "Updating database schema" : "Actualização de esquema do banco de dados", "Updated database" : "Atualizar o banco de dados", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Verificar se o esquema do banco de dados pode ser atualizado (isso pode levar muito tempo, dependendo do tamanho do banco de dados)", "Checked database schema update" : "Verificado atualização do esquema de banco de dados", + "Checking updates of apps" : "Verificar atualizações de aplicativos", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Verificar se o esquema do banco de dados para %s pode ser atualizado (isso pode levar muito tempo, dependendo do tamanho do banco de dados)", "Checked database schema update for apps" : "Verificar atualização do esquema de banco de dados para aplicativos", "Updated \"%s\" to %s" : "Atualizado \"%s\" para %s", "Repair warning: " : "Aviso de reparação:", "Repair error: " : "Reparação de erro:", "Set log level to debug - current level: \"%s\"" : "Configure o nível de log para debug - nível corrente: \"%s\"", "Reset log level to \"%s\"" : "Reconfigurar o nível de log para \"%s\"", - "Following incompatible apps have been disabled: %s" : "Seguir aplicativos incompatíveis foi desativado: %s", + "%s (3rdparty)" : "%s (3ºterceiros)", + "%s (incompatible)" : "%s (incompatível)", "Following apps have been disabled: %s" : "Os seguintes aplicativos foram desabilitados: %s", "Already up to date" : "Já está atualizado", "File is too big" : "O arquivo é muito grande", @@ -171,6 +176,7 @@ "Hello {name}" : "Olá {name}", "_download %n file_::_download %n files_" : ["baixar %n arquivo","baixar %n arquivos"], "{version} is available. Get more information on how to update." : "{version} está disponível. Obtenha mais informações sobre como atualizar.", + "The upgrade is in progress, leaving this page might interrupt the process in some environments." : "A atualização está em andamento, deixando esta página pode haver interrupção do processo em alguns ambientes.", "Updating {productName} to version {version}, this may take a while." : "Atualizando {productName} para a versão {version}, isso pode demorar um pouco.", "An error occurred." : "Ocorreu um erro.", "Please reload the page." : "Por favor recarregue a página", diff --git a/core/l10n/pt_PT.js b/core/l10n/pt_PT.js index 903124c6b63..2c96d2723fa 100644 --- a/core/l10n/pt_PT.js +++ b/core/l10n/pt_PT.js @@ -12,7 +12,6 @@ OC.L10N.register( "Updated \"%s\" to %s" : "Atualizado \"%s\" para %s", "Repair warning: " : "Aviso de reparação:", "Repair error: " : "Corrija o erro:", - "Following incompatible apps have been disabled: %s" : "As seguintes apps incompatíveis foram desativadas: %s", "Following apps have been disabled: %s" : "As seguintes apps foram desativadas: %s", "Already up to date" : "Já está atualizado", "File is too big" : "O ficheiro é muito grande", diff --git a/core/l10n/pt_PT.json b/core/l10n/pt_PT.json index 733f7375feb..ee4061799a3 100644 --- a/core/l10n/pt_PT.json +++ b/core/l10n/pt_PT.json @@ -10,7 +10,6 @@ "Updated \"%s\" to %s" : "Atualizado \"%s\" para %s", "Repair warning: " : "Aviso de reparação:", "Repair error: " : "Corrija o erro:", - "Following incompatible apps have been disabled: %s" : "As seguintes apps incompatíveis foram desativadas: %s", "Following apps have been disabled: %s" : "As seguintes apps foram desativadas: %s", "Already up to date" : "Já está atualizado", "File is too big" : "O ficheiro é muito grande", diff --git a/core/l10n/ro.js b/core/l10n/ro.js index 45f5cdece60..2630fd3f2c0 100644 --- a/core/l10n/ro.js +++ b/core/l10n/ro.js @@ -8,7 +8,6 @@ OC.L10N.register( "Updated \"%s\" to %s" : "\"%s\" a fost actualizat până la %s", "Repair warning: " : "Alerte reparare:", "Repair error: " : "Eroare de reparare:", - "Following incompatible apps have been disabled: %s" : "Următoarele aplicații incompatibile au fost dezactivate: %s", "No image or file provided" : "Nu a fost furnizat vreo imagine sau fișier", "Unknown filetype" : "Tip fișier necunoscut", "Invalid image" : "Imagine invalidă", diff --git a/core/l10n/ro.json b/core/l10n/ro.json index 1f85508c86e..e23282e054c 100644 --- a/core/l10n/ro.json +++ b/core/l10n/ro.json @@ -6,7 +6,6 @@ "Updated \"%s\" to %s" : "\"%s\" a fost actualizat până la %s", "Repair warning: " : "Alerte reparare:", "Repair error: " : "Eroare de reparare:", - "Following incompatible apps have been disabled: %s" : "Următoarele aplicații incompatibile au fost dezactivate: %s", "No image or file provided" : "Nu a fost furnizat vreo imagine sau fișier", "Unknown filetype" : "Tip fișier necunoscut", "Invalid image" : "Imagine invalidă", diff --git a/core/l10n/ru.js b/core/l10n/ru.js index eadbc2eac72..0ed9bcc073e 100644 --- a/core/l10n/ru.js +++ b/core/l10n/ru.js @@ -15,7 +15,6 @@ OC.L10N.register( "Repair error: " : "Ошибка восстановления:", "Set log level to debug - current level: \"%s\"" : "Установить отладочное журналирование - текущий уровень: \"%s\"", "Reset log level to \"%s\"" : "Сбросить уровень журналирования в \"%s\"", - "Following incompatible apps have been disabled: %s" : "Следующие несовместимые приложения были отключены: %s", "Following apps have been disabled: %s" : "Были отключены следующие приложения: %s", "Already up to date" : "Не нуждается в обновлении", "File is too big" : "Файл слишком большой", @@ -23,6 +22,7 @@ OC.L10N.register( "No image or file provided" : "Не указано изображение или файл", "Unknown filetype" : "Неизвестный тип файла", "Invalid image" : "Некорректное изображение", + "An error occurred. Please contact your admin." : "Произошла ошибка. Пожалуйста, свяжитесь с Вашим администратором.", "No temporary profile picture available, try again" : "Временная картинка профиля недоступна, повторите попытку", "No crop data provided" : "Не указана информация о кадрировании", "No valid crop data provided" : "Не указаны корректные данные о кадрировании", @@ -110,6 +110,7 @@ OC.L10N.register( "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our <a href=\"{docLink}\">documentation</a>." : "/dev/urandom не может быть прочитан PHP, что крайне нежелательно по причинам безопасности. Дополнительную информацию можно найти в a href=\"{docLink}\">документации</a>.", "Your PHP version ({version}) is no longer <a href=\"{phpLink}\">supported by PHP</a>. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by PHP." : "Ваша версия PHP ({version}) более не <a href=\"{phpLink}\">поддерживается PHP</a>. Мы советуем Вам обновить Вашу версию PHP для получения обновлений производительности и безопасности, предоставляемых PHP.", "The reverse proxy headers configuration is incorrect, or you are accessing ownCloud from a trusted proxy. If you are not accessing ownCloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to ownCloud. Further information can be found in our <a href=\"{docLink}\">documentation</a>." : "Конфигурация заголовков обратного прокси сервера некорректна, либо Вы заходите в ownCloud через доверенный прокси. Если Вы не заходите в ownCloud через доверенный прокси, это может быть небезопасно, так как злоумышленник может подменить видимые Owncloud IP-адреса. Более подробную информацию можно найти в нашей <a href=\"{docLink}\">документации</a>.", + "Memcached is configured as distributed cache, but the wrong PHP module \"memcache\" is installed. \\OC\\Memcache\\Memcached only supports \"memcached\" and not \"memcache\". See the <a href=\"{wikiLink}\">memcached wiki about both modules</a>." : "Memcached настроен на распределенный кеш, но установлен не поддерживаемый модуль PHP \"memcache\". \\OC\\Memcache\\Memcached поддерживает только модуль \"memcached\"! Информацию о модулях читайте на странице <a href=\"{wikiLink}\">memcached</a>.", "Error occurred while checking server setup" : "Произошла ошибка при проверке настроек сервера", "The \"{header}\" HTTP header is not configured to equal to \"{expected}\". This is a potential security or privacy risk and we recommend adjusting this setting." : "Заголовок HTTP \"{header}\" не настроен на ожидаемый \"{expected}\". Это потенциальная проблема безопасности и мы рекомендуем изменить эти настройки.", "The \"Strict-Transport-Security\" HTTP header is not configured to least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our <a href=\"{docUrl}\">security tips</a>." : "Заголовок HTTP \"Strict-Transport-Security\" должен быть настроен хотя бы на \"{seconds}\" секунд. Для улучшения безопасности мы рекомендуем включить HSTS согласно нашим <a href=\"{docUrl}\">подсказкам по безопасности</a>.", @@ -172,6 +173,7 @@ OC.L10N.register( "_download %n file_::_download %n files_" : ["скачать %n файл","скачать %n файла","скачать %n файлов","скачать %n файлов"], "{version} is available. Get more information on how to update." : "Доступна версия {version}. Получить дополнительную информацию о порядке обновления.", "Updating {productName} to version {version}, this may take a while." : "Идет обновление {productName} до версии {version}, пожалуйста, подождите.", + "An error occurred." : "Произошла ошибка.", "Please reload the page." : "Обновите страницу.", "The update was unsuccessful. " : "Обновление не удалось.", "The update was successful. There were warnings." : "Обновление прошло успешно. Были предупреждения.", diff --git a/core/l10n/ru.json b/core/l10n/ru.json index 54b96e373f2..19b44b89224 100644 --- a/core/l10n/ru.json +++ b/core/l10n/ru.json @@ -13,7 +13,6 @@ "Repair error: " : "Ошибка восстановления:", "Set log level to debug - current level: \"%s\"" : "Установить отладочное журналирование - текущий уровень: \"%s\"", "Reset log level to \"%s\"" : "Сбросить уровень журналирования в \"%s\"", - "Following incompatible apps have been disabled: %s" : "Следующие несовместимые приложения были отключены: %s", "Following apps have been disabled: %s" : "Были отключены следующие приложения: %s", "Already up to date" : "Не нуждается в обновлении", "File is too big" : "Файл слишком большой", @@ -21,6 +20,7 @@ "No image or file provided" : "Не указано изображение или файл", "Unknown filetype" : "Неизвестный тип файла", "Invalid image" : "Некорректное изображение", + "An error occurred. Please contact your admin." : "Произошла ошибка. Пожалуйста, свяжитесь с Вашим администратором.", "No temporary profile picture available, try again" : "Временная картинка профиля недоступна, повторите попытку", "No crop data provided" : "Не указана информация о кадрировании", "No valid crop data provided" : "Не указаны корректные данные о кадрировании", @@ -108,6 +108,7 @@ "/dev/urandom is not readable by PHP which is highly discouraged for security reasons. Further information can be found in our <a href=\"{docLink}\">documentation</a>." : "/dev/urandom не может быть прочитан PHP, что крайне нежелательно по причинам безопасности. Дополнительную информацию можно найти в a href=\"{docLink}\">документации</a>.", "Your PHP version ({version}) is no longer <a href=\"{phpLink}\">supported by PHP</a>. We encourage you to upgrade your PHP version to take advantage of performance and security updates provided by PHP." : "Ваша версия PHP ({version}) более не <a href=\"{phpLink}\">поддерживается PHP</a>. Мы советуем Вам обновить Вашу версию PHP для получения обновлений производительности и безопасности, предоставляемых PHP.", "The reverse proxy headers configuration is incorrect, or you are accessing ownCloud from a trusted proxy. If you are not accessing ownCloud from a trusted proxy, this is a security issue and can allow an attacker to spoof their IP address as visible to ownCloud. Further information can be found in our <a href=\"{docLink}\">documentation</a>." : "Конфигурация заголовков обратного прокси сервера некорректна, либо Вы заходите в ownCloud через доверенный прокси. Если Вы не заходите в ownCloud через доверенный прокси, это может быть небезопасно, так как злоумышленник может подменить видимые Owncloud IP-адреса. Более подробную информацию можно найти в нашей <a href=\"{docLink}\">документации</a>.", + "Memcached is configured as distributed cache, but the wrong PHP module \"memcache\" is installed. \\OC\\Memcache\\Memcached only supports \"memcached\" and not \"memcache\". See the <a href=\"{wikiLink}\">memcached wiki about both modules</a>." : "Memcached настроен на распределенный кеш, но установлен не поддерживаемый модуль PHP \"memcache\". \\OC\\Memcache\\Memcached поддерживает только модуль \"memcached\"! Информацию о модулях читайте на странице <a href=\"{wikiLink}\">memcached</a>.", "Error occurred while checking server setup" : "Произошла ошибка при проверке настроек сервера", "The \"{header}\" HTTP header is not configured to equal to \"{expected}\". This is a potential security or privacy risk and we recommend adjusting this setting." : "Заголовок HTTP \"{header}\" не настроен на ожидаемый \"{expected}\". Это потенциальная проблема безопасности и мы рекомендуем изменить эти настройки.", "The \"Strict-Transport-Security\" HTTP header is not configured to least \"{seconds}\" seconds. For enhanced security we recommend enabling HSTS as described in our <a href=\"{docUrl}\">security tips</a>." : "Заголовок HTTP \"Strict-Transport-Security\" должен быть настроен хотя бы на \"{seconds}\" секунд. Для улучшения безопасности мы рекомендуем включить HSTS согласно нашим <a href=\"{docUrl}\">подсказкам по безопасности</a>.", @@ -170,6 +171,7 @@ "_download %n file_::_download %n files_" : ["скачать %n файл","скачать %n файла","скачать %n файлов","скачать %n файлов"], "{version} is available. Get more information on how to update." : "Доступна версия {version}. Получить дополнительную информацию о порядке обновления.", "Updating {productName} to version {version}, this may take a while." : "Идет обновление {productName} до версии {version}, пожалуйста, подождите.", + "An error occurred." : "Произошла ошибка.", "Please reload the page." : "Обновите страницу.", "The update was unsuccessful. " : "Обновление не удалось.", "The update was successful. There were warnings." : "Обновление прошло успешно. Были предупреждения.", diff --git a/core/l10n/sk_SK.js b/core/l10n/sk_SK.js index 044f126f353..642b56f1839 100644 --- a/core/l10n/sk_SK.js +++ b/core/l10n/sk_SK.js @@ -11,7 +11,6 @@ OC.L10N.register( "Updated \"%s\" to %s" : "Aktualizované \"%s\" na %s", "Repair warning: " : "Oznámenie opravy:", "Repair error: " : "Chyba opravy:", - "Following incompatible apps have been disabled: %s" : "Nasledovné nekompatibilné aplikácie boli zakázané: %s", "Invalid file provided" : "Zadaný neplatný súbor", "No image or file provided" : "Obrázok alebo súbor nebol zadaný", "Unknown filetype" : "Neznámy typ súboru", diff --git a/core/l10n/sk_SK.json b/core/l10n/sk_SK.json index 7938364de5f..61ca1276e5a 100644 --- a/core/l10n/sk_SK.json +++ b/core/l10n/sk_SK.json @@ -9,7 +9,6 @@ "Updated \"%s\" to %s" : "Aktualizované \"%s\" na %s", "Repair warning: " : "Oznámenie opravy:", "Repair error: " : "Chyba opravy:", - "Following incompatible apps have been disabled: %s" : "Nasledovné nekompatibilné aplikácie boli zakázané: %s", "Invalid file provided" : "Zadaný neplatný súbor", "No image or file provided" : "Obrázok alebo súbor nebol zadaný", "Unknown filetype" : "Neznámy typ súboru", diff --git a/core/l10n/sl.js b/core/l10n/sl.js index fd415376b14..fc03d628ae8 100644 --- a/core/l10n/sl.js +++ b/core/l10n/sl.js @@ -8,7 +8,6 @@ OC.L10N.register( "Checked database schema update" : "Izbrana posodobitev sheme podatkovne zbirke", "Checked database schema update for apps" : "Izbrana posodobitev sheme podatkovne zbirke za programe", "Updated \"%s\" to %s" : "Datoteka \"%s\" je posodobljena na %s", - "Following incompatible apps have been disabled: %s" : "Navedeni neskladni programi so onemogočeni: %s", "No image or file provided" : "Ni podane datoteke ali slike", "Unknown filetype" : "Neznana vrsta datoteke", "Invalid image" : "Neveljavna slika", diff --git a/core/l10n/sl.json b/core/l10n/sl.json index df0ec47a292..357f21cd643 100644 --- a/core/l10n/sl.json +++ b/core/l10n/sl.json @@ -6,7 +6,6 @@ "Checked database schema update" : "Izbrana posodobitev sheme podatkovne zbirke", "Checked database schema update for apps" : "Izbrana posodobitev sheme podatkovne zbirke za programe", "Updated \"%s\" to %s" : "Datoteka \"%s\" je posodobljena na %s", - "Following incompatible apps have been disabled: %s" : "Navedeni neskladni programi so onemogočeni: %s", "No image or file provided" : "Ni podane datoteke ali slike", "Unknown filetype" : "Neznana vrsta datoteke", "Invalid image" : "Neveljavna slika", diff --git a/core/l10n/sq.js b/core/l10n/sq.js index 1df18f40ab5..159329cd9db 100644 --- a/core/l10n/sq.js +++ b/core/l10n/sq.js @@ -7,15 +7,20 @@ OC.L10N.register( "Turned on maintenance mode" : "Mënyra e mirëmbajtjes u aktivizua", "Turned off maintenance mode" : "Mënyra e mirëmbajtjes u çaktivizua", "Maintenance mode is kept active" : "Mënyra mirëmbajtje është mbajtur e aktivizuar", + "Updating database schema" : "Po përditësohet skema e bazës së të dhënave", "Updated database" : "U përditësua baza e të dhënave", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Po kontrollohet nëse mund të përditësohet skema e bazës së të dhënave (kjo mund të hajë shumë kohë, varet nga madhësia e bazës së të dhënave)", "Checked database schema update" : "U kontrollua përditësimi i skemës së bazës së të dhënave", + "Checking updates of apps" : "Po kontrollohen përditësime të aplikacionit", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Po kontrollohet nëse mund të përditësohet skema e bazës së të dhënave për %s (kjo mund të hajë shumë kohë, varet nga madhësia e bazës së të dhënave)", "Checked database schema update for apps" : "U kontrollua përditësimi i skemës së bazës së të dhënave për aplikacionet", "Updated \"%s\" to %s" : "U përditësua \"%s\" në %s", "Repair warning: " : "Sinjalizim ndreqjeje: ", "Repair error: " : "Gabim ndreqjeje: ", "Set log level to debug - current level: \"%s\"" : "Caktoni debug si nivel regjistri - niveli i tanishëm: \"%s\"", "Reset log level to \"%s\"" : "Riktheni nivel regjistri në \"%s\"", - "Following incompatible apps have been disabled: %s" : "Janë çaktivizuar aplikacionet e papërputhshme vijuese: %s", + "%s (3rdparty)" : "%s (prej palësh të treta)", + "%s (incompatible)" : "%s (e papërputhshme)", "Following apps have been disabled: %s" : "Janë çaktivizuar aplikacionet vijuese : %s", "Already up to date" : "Tashmë e përditësuar", "File is too big" : "Kartela është shumë e madhe", @@ -25,6 +30,9 @@ OC.L10N.register( "Invalid image" : "Figurë e pavlefshme", "An error occurred. Please contact your admin." : "Ndodhi një gabim. Ju lutemi, lidhuni me përgjegjësin tuaj.", "No temporary profile picture available, try again" : "S’ka gati foto të përkohshme profili, riprovoni", + "No crop data provided" : "S’u dhanë të dhëna qethjeje", + "No valid crop data provided" : "S’u dhanë të dhëna qethjeje të vlefshme", + "Crop is not square" : "Qethja s’është katrore", "Sunday" : "E dielë", "Monday" : "E hënë", "Tuesday" : "E martë", @@ -170,6 +178,7 @@ OC.L10N.register( "Hello {name}" : "Tungjatjeta {name}", "_download %n file_::_download %n files_" : ["shkarko %n kartelë","shkarko %n kartela"], "{version} is available. Get more information on how to update." : "Është gati {version}. Merrni më tepër informacion se si ta përditësoni.", + "The upgrade is in progress, leaving this page might interrupt the process in some environments." : "Përmirësimi po kryhet, braktisja e kësaj faqeje mund ta ndërpresë procesin në disa mjedise.", "Updating {productName} to version {version}, this may take a while." : "Po përditësohet {productName} me versionin {version}, kjo mund të zgjasë pak.", "An error occurred." : "Ndodhi një gabim.", "Please reload the page." : "Ju lutemi, ringarkoni faqen.", diff --git a/core/l10n/sq.json b/core/l10n/sq.json index 7b7c14010bb..39d2a211a80 100644 --- a/core/l10n/sq.json +++ b/core/l10n/sq.json @@ -5,15 +5,20 @@ "Turned on maintenance mode" : "Mënyra e mirëmbajtjes u aktivizua", "Turned off maintenance mode" : "Mënyra e mirëmbajtjes u çaktivizua", "Maintenance mode is kept active" : "Mënyra mirëmbajtje është mbajtur e aktivizuar", + "Updating database schema" : "Po përditësohet skema e bazës së të dhënave", "Updated database" : "U përditësua baza e të dhënave", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "Po kontrollohet nëse mund të përditësohet skema e bazës së të dhënave (kjo mund të hajë shumë kohë, varet nga madhësia e bazës së të dhënave)", "Checked database schema update" : "U kontrollua përditësimi i skemës së bazës së të dhënave", + "Checking updates of apps" : "Po kontrollohen përditësime të aplikacionit", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "Po kontrollohet nëse mund të përditësohet skema e bazës së të dhënave për %s (kjo mund të hajë shumë kohë, varet nga madhësia e bazës së të dhënave)", "Checked database schema update for apps" : "U kontrollua përditësimi i skemës së bazës së të dhënave për aplikacionet", "Updated \"%s\" to %s" : "U përditësua \"%s\" në %s", "Repair warning: " : "Sinjalizim ndreqjeje: ", "Repair error: " : "Gabim ndreqjeje: ", "Set log level to debug - current level: \"%s\"" : "Caktoni debug si nivel regjistri - niveli i tanishëm: \"%s\"", "Reset log level to \"%s\"" : "Riktheni nivel regjistri në \"%s\"", - "Following incompatible apps have been disabled: %s" : "Janë çaktivizuar aplikacionet e papërputhshme vijuese: %s", + "%s (3rdparty)" : "%s (prej palësh të treta)", + "%s (incompatible)" : "%s (e papërputhshme)", "Following apps have been disabled: %s" : "Janë çaktivizuar aplikacionet vijuese : %s", "Already up to date" : "Tashmë e përditësuar", "File is too big" : "Kartela është shumë e madhe", @@ -23,6 +28,9 @@ "Invalid image" : "Figurë e pavlefshme", "An error occurred. Please contact your admin." : "Ndodhi një gabim. Ju lutemi, lidhuni me përgjegjësin tuaj.", "No temporary profile picture available, try again" : "S’ka gati foto të përkohshme profili, riprovoni", + "No crop data provided" : "S’u dhanë të dhëna qethjeje", + "No valid crop data provided" : "S’u dhanë të dhëna qethjeje të vlefshme", + "Crop is not square" : "Qethja s’është katrore", "Sunday" : "E dielë", "Monday" : "E hënë", "Tuesday" : "E martë", @@ -168,6 +176,7 @@ "Hello {name}" : "Tungjatjeta {name}", "_download %n file_::_download %n files_" : ["shkarko %n kartelë","shkarko %n kartela"], "{version} is available. Get more information on how to update." : "Është gati {version}. Merrni më tepër informacion se si ta përditësoni.", + "The upgrade is in progress, leaving this page might interrupt the process in some environments." : "Përmirësimi po kryhet, braktisja e kësaj faqeje mund ta ndërpresë procesin në disa mjedise.", "Updating {productName} to version {version}, this may take a while." : "Po përditësohet {productName} me versionin {version}, kjo mund të zgjasë pak.", "An error occurred." : "Ndodhi një gabim.", "Please reload the page." : "Ju lutemi, ringarkoni faqen.", diff --git a/core/l10n/sr.js b/core/l10n/sr.js index f34b4213f0f..9b01b18fe07 100644 --- a/core/l10n/sr.js +++ b/core/l10n/sr.js @@ -12,7 +12,6 @@ OC.L10N.register( "Updated \"%s\" to %s" : "„%s“ ажириран на %s", "Repair warning: " : "Упозорење о поправци :", "Repair error: " : "Грешка поправке:", - "Following incompatible apps have been disabled: %s" : "Следеће неусаглашене апликације су искључене: %s", "Following apps have been disabled: %s" : "Следеће апликације су искључене: %s", "File is too big" : "Фајл је превелик", "Invalid file provided" : "Понуђени фајл је неисправан", diff --git a/core/l10n/sr.json b/core/l10n/sr.json index 3825ab821cb..a50af15a742 100644 --- a/core/l10n/sr.json +++ b/core/l10n/sr.json @@ -10,7 +10,6 @@ "Updated \"%s\" to %s" : "„%s“ ажириран на %s", "Repair warning: " : "Упозорење о поправци :", "Repair error: " : "Грешка поправке:", - "Following incompatible apps have been disabled: %s" : "Следеће неусаглашене апликације су искључене: %s", "Following apps have been disabled: %s" : "Следеће апликације су искључене: %s", "File is too big" : "Фајл је превелик", "Invalid file provided" : "Понуђени фајл је неисправан", diff --git a/core/l10n/sv.js b/core/l10n/sv.js index 24bfac63cc3..b74ef969a02 100644 --- a/core/l10n/sv.js +++ b/core/l10n/sv.js @@ -118,7 +118,11 @@ OC.L10N.register( "change" : "ändra", "delete" : "radera", "access control" : "åtkomstkontroll", + "An error occured. Please try again" : "Ett fel uppstod. Var god försök igen", "Share" : "Dela", + "Share with people on other ownClouds using the syntax username@example.com/owncloud" : "Dela med folk på andra ownClouds med följande syntax username@example.com/owncloud", + "Share with users or groups …" : "Dela med användare eller grupper ...", + "Share with users, groups or remote users …" : "Dela med användare, grupper eller fjärranvändare ...", "Warning" : "Varning", "The object type is not specified." : "Objekttypen är inte specificerad.", "Enter new" : "Skriv nytt", diff --git a/core/l10n/sv.json b/core/l10n/sv.json index c98f97de9b9..c41fdf6749f 100644 --- a/core/l10n/sv.json +++ b/core/l10n/sv.json @@ -116,7 +116,11 @@ "change" : "ändra", "delete" : "radera", "access control" : "åtkomstkontroll", + "An error occured. Please try again" : "Ett fel uppstod. Var god försök igen", "Share" : "Dela", + "Share with people on other ownClouds using the syntax username@example.com/owncloud" : "Dela med folk på andra ownClouds med följande syntax username@example.com/owncloud", + "Share with users or groups …" : "Dela med användare eller grupper ...", + "Share with users, groups or remote users …" : "Dela med användare, grupper eller fjärranvändare ...", "Warning" : "Varning", "The object type is not specified." : "Objekttypen är inte specificerad.", "Enter new" : "Skriv nytt", diff --git a/core/l10n/th_TH.js b/core/l10n/th_TH.js index 24f13a2c8fe..510f8f8b4ac 100644 --- a/core/l10n/th_TH.js +++ b/core/l10n/th_TH.js @@ -15,7 +15,6 @@ OC.L10N.register( "Repair error: " : "เกิดข้อผิดพลาดในการซ่อมแซม:", "Set log level to debug - current level: \"%s\"" : "การตั้งค่าระดับของการบันทึกเพื่อแก้ปัญหา - ระดับปัจจุบันคือ: \"%s\"", "Reset log level to \"%s\"" : "รีเซ็ทระดับการบันทึกเป็น \"%s\"", - "Following incompatible apps have been disabled: %s" : "แอพพลิเคชันต่อไปนี้เข้ากันไม่ได้มันจะถูกปิดการใช้งาน: %s", "Following apps have been disabled: %s" : "แอพฯดังต่อไปนี้ถูกปิดการใช้งาน: %s", "Already up to date" : "มีอยู่แล้วถึงวันที่", "File is too big" : "ไฟล์มีขนาดใหญ่เกินไป", diff --git a/core/l10n/th_TH.json b/core/l10n/th_TH.json index 2742a569a6a..e8ccc1b2d54 100644 --- a/core/l10n/th_TH.json +++ b/core/l10n/th_TH.json @@ -13,7 +13,6 @@ "Repair error: " : "เกิดข้อผิดพลาดในการซ่อมแซม:", "Set log level to debug - current level: \"%s\"" : "การตั้งค่าระดับของการบันทึกเพื่อแก้ปัญหา - ระดับปัจจุบันคือ: \"%s\"", "Reset log level to \"%s\"" : "รีเซ็ทระดับการบันทึกเป็น \"%s\"", - "Following incompatible apps have been disabled: %s" : "แอพพลิเคชันต่อไปนี้เข้ากันไม่ได้มันจะถูกปิดการใช้งาน: %s", "Following apps have been disabled: %s" : "แอพฯดังต่อไปนี้ถูกปิดการใช้งาน: %s", "Already up to date" : "มีอยู่แล้วถึงวันที่", "File is too big" : "ไฟล์มีขนาดใหญ่เกินไป", diff --git a/core/l10n/tr.js b/core/l10n/tr.js index a040c37e73e..81603bc89ed 100644 --- a/core/l10n/tr.js +++ b/core/l10n/tr.js @@ -15,7 +15,6 @@ OC.L10N.register( "Repair error: " : "Onarım hatası:", "Set log level to debug - current level: \"%s\"" : "Günlük seviyesini hata ayıklamaya ayarla - geçerli seviye: \"%s\"", "Reset log level to \"%s\"" : "Günlük seviyesini \"%s\" olarak sıfırla", - "Following incompatible apps have been disabled: %s" : "Aşağıdaki uyumsuz uygulamalar devre dışı bırakıldı: %s", "Following apps have been disabled: %s" : "Aşağıdaki uygulamalar devre dışı bırakıldı: %s", "Already up to date" : "Zaten güncel", "File is too big" : "Dosya çok büyük", diff --git a/core/l10n/tr.json b/core/l10n/tr.json index 2da5a2dec94..fc5f26a20ea 100644 --- a/core/l10n/tr.json +++ b/core/l10n/tr.json @@ -13,7 +13,6 @@ "Repair error: " : "Onarım hatası:", "Set log level to debug - current level: \"%s\"" : "Günlük seviyesini hata ayıklamaya ayarla - geçerli seviye: \"%s\"", "Reset log level to \"%s\"" : "Günlük seviyesini \"%s\" olarak sıfırla", - "Following incompatible apps have been disabled: %s" : "Aşağıdaki uyumsuz uygulamalar devre dışı bırakıldı: %s", "Following apps have been disabled: %s" : "Aşağıdaki uygulamalar devre dışı bırakıldı: %s", "Already up to date" : "Zaten güncel", "File is too big" : "Dosya çok büyük", diff --git a/core/l10n/uk.js b/core/l10n/uk.js index 1cd0de81ff5..f020b00c7d9 100644 --- a/core/l10n/uk.js +++ b/core/l10n/uk.js @@ -12,7 +12,6 @@ OC.L10N.register( "Updated \"%s\" to %s" : "Оновлено \"%s\" до %s", "Repair warning: " : "Попередження відновлення:", "Repair error: " : "Помилка відновлення:", - "Following incompatible apps have been disabled: %s" : "Наступні несумісні додатки були вимкнені: %s", "Following apps have been disabled: %s" : "Наступні додатки були вимкнені: %s", "Already up to date" : "Актуально", "File is too big" : "Файл занадто великий", diff --git a/core/l10n/uk.json b/core/l10n/uk.json index 4e066cd6dd7..f3c74dbe667 100644 --- a/core/l10n/uk.json +++ b/core/l10n/uk.json @@ -10,7 +10,6 @@ "Updated \"%s\" to %s" : "Оновлено \"%s\" до %s", "Repair warning: " : "Попередження відновлення:", "Repair error: " : "Помилка відновлення:", - "Following incompatible apps have been disabled: %s" : "Наступні несумісні додатки були вимкнені: %s", "Following apps have been disabled: %s" : "Наступні додатки були вимкнені: %s", "Already up to date" : "Актуально", "File is too big" : "Файл занадто великий", diff --git a/core/l10n/zh_CN.js b/core/l10n/zh_CN.js index 305caeb0b80..86c05393953 100644 --- a/core/l10n/zh_CN.js +++ b/core/l10n/zh_CN.js @@ -14,7 +14,6 @@ OC.L10N.register( "Repair error: " : "修复错误:", "Set log level to debug - current level: \"%s\"" : "设置日志级别为 调试 - 目前级别:%s", "Reset log level to \"%s\"" : "重设日志级别为 \"%s\"", - "Following incompatible apps have been disabled: %s" : "下列不兼容应用已经被禁用:%s", "Following apps have been disabled: %s" : "下列应用已经被禁用:%s", "Already up to date" : "已经是最新", "File is too big" : "文件太大", diff --git a/core/l10n/zh_CN.json b/core/l10n/zh_CN.json index 001338a4383..62145b4cc5e 100644 --- a/core/l10n/zh_CN.json +++ b/core/l10n/zh_CN.json @@ -12,7 +12,6 @@ "Repair error: " : "修复错误:", "Set log level to debug - current level: \"%s\"" : "设置日志级别为 调试 - 目前级别:%s", "Reset log level to \"%s\"" : "重设日志级别为 \"%s\"", - "Following incompatible apps have been disabled: %s" : "下列不兼容应用已经被禁用:%s", "Following apps have been disabled: %s" : "下列应用已经被禁用:%s", "Already up to date" : "已经是最新", "File is too big" : "文件太大", diff --git a/core/l10n/zh_TW.js b/core/l10n/zh_TW.js index c17dc5f09e2..579d802656b 100644 --- a/core/l10n/zh_TW.js +++ b/core/l10n/zh_TW.js @@ -6,13 +6,16 @@ OC.L10N.register( "Turned on maintenance mode" : "已啓用維護模式", "Turned off maintenance mode" : "已停用維護模式", "Maintenance mode is kept active" : "維護模式維持在開啟狀態", + "Updating database schema" : "更新資料庫格式", "Updated database" : "已更新資料庫", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "檢查是否有可更新的資料庫格式(若資料庫較大,可能需要一段時間)", "Checked database schema update" : "已檢查資料庫格式更新", + "Checking updates of apps" : "檢查 app 更新", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "檢查 %s 是否有可更新的資料庫格式(若資料庫較大,可能需要一段時間)", "Checked database schema update for apps" : "已檢查應用程式的資料庫格式更新", "Updated \"%s\" to %s" : "已更新 %s 到 %s", "Repair warning: " : "修復警告:", "Repair error: " : "修復錯誤", - "Following incompatible apps have been disabled: %s" : "以下不相容的應用程式已經被停用:%s", "Following apps have been disabled: %s" : "以下應用程式已經被停用:%s", "Already up to date" : "已經是最新版", "File is too big" : "檔案太大", @@ -20,6 +23,7 @@ OC.L10N.register( "No image or file provided" : "未提供圖片或檔案", "Unknown filetype" : "未知的檔案類型", "Invalid image" : "無效的圖片", + "An error occurred. Please contact your admin." : "發生錯誤,請聯絡管理員", "No temporary profile picture available, try again" : "沒有臨時用的大頭貼,請再試一次", "No crop data provided" : "未設定剪裁", "No valid crop data provided" : "未提供有效的剪裁設定", @@ -118,9 +122,11 @@ OC.L10N.register( "Email sent" : "Email 已寄出", "Resharing is not allowed" : "不允許重新分享", "Share link" : "分享連結", + "Link" : "連結", "Password protect" : "密碼保護", "Password" : "密碼", "Choose a password for the public link" : "為公開連結選一個密碼", + "Allow editing" : "允許編輯", "Email link to person" : "將連結 email 給別人", "Send" : "寄出", "Shared with you and the group {group} by {owner}" : "由 {owner} 分享給您和 {group}", @@ -146,7 +152,11 @@ OC.L10N.register( "Edit tags" : "編輯標籤", "Error loading dialog template: {error}" : "載入對話樣板出錯:{error}", "No tags selected for deletion." : "沒有選擇要刪除的標籤", + "_download %n file_::_download %n files_" : ["下載 %n 個檔案"], + "{version} is available. Get more information on how to update." : "{version} 釋出了,可以更新", + "The upgrade is in progress, leaving this page might interrupt the process in some environments." : "正在更新,在某些狀況下,離開本頁面可能會導致更新中斷", "Updating {productName} to version {version}, this may take a while." : "正在更新 {productName} 到版本 {version} ,請稍候", + "An error occurred." : "發生錯誤", "Please reload the page." : "請重新整理頁面", "The update was unsuccessful. " : "更新失敗", "The update was successful. There were warnings." : "更新成功,有警告訊息", @@ -160,6 +170,9 @@ OC.L10N.register( "New password" : "新密碼", "New Password" : "新密碼", "Reset password" : "重設密碼", + "Searching other places" : "搜尋其他位置", + "No search results in other folders" : "在其他資料夾中沒有找到", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["在其他資料夾中有 {count} 比結果"], "Personal" : "個人", "Users" : "使用者", "Apps" : "應用程式", @@ -186,11 +199,13 @@ OC.L10N.register( "Technical details" : "技術細節", "Remote Address: %s" : "遠端位置:%s", "Request ID: %s" : "請求編號:%s", + "Type: %s" : "類型:%s", "Code: %s" : "代碼:%s", "Message: %s" : "訊息:%s", "File: %s" : "檔案:%s", "Line: %s" : "行數:%s", "Trace" : "追蹤", + "Security warning" : "安全性警告", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "您的資料目錄看起來可以被 Internet 公開存取,因為 .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>", @@ -199,13 +214,21 @@ OC.L10N.register( "Data folder" : "資料儲存位置", "Configure the database" : "設定資料庫", "Only %s is available." : "剩下 %s 可使用", + "Install and activate additional PHP modules to choose other database types." : "安裝並啟用相關 PHP 模組來使用其他種資料庫", + "For more details check out the documentation." : "更多細節詳見說明文件", "Database user" : "資料庫使用者", "Database password" : "資料庫密碼", "Database name" : "資料庫名稱", "Database tablespace" : "資料庫 tablespace", "Database host" : "資料庫主機", + "Performance warning" : "效能警告", + "SQLite will be used as database." : "將使用 SQLite 為資料庫", + "For larger installations we recommend to choose a different database backend." : "在大型安裝中建議使用其他種資料庫", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "若使用桌面版程式同步檔案,不建議使用 SQLite", "Finish setup" : "完成設定", "Finishing …" : "即將完成…", + "Need help?" : "需要幫助?", + "See the documentation" : "閱讀說明文件", "Log out" : "登出", "Search" : "搜尋", "Server side authentication failed!" : "伺服器端認證失敗!", diff --git a/core/l10n/zh_TW.json b/core/l10n/zh_TW.json index e336e6f5e74..43c70532f74 100644 --- a/core/l10n/zh_TW.json +++ b/core/l10n/zh_TW.json @@ -4,13 +4,16 @@ "Turned on maintenance mode" : "已啓用維護模式", "Turned off maintenance mode" : "已停用維護模式", "Maintenance mode is kept active" : "維護模式維持在開啟狀態", + "Updating database schema" : "更新資料庫格式", "Updated database" : "已更新資料庫", + "Checking whether the database schema can be updated (this can take a long time depending on the database size)" : "檢查是否有可更新的資料庫格式(若資料庫較大,可能需要一段時間)", "Checked database schema update" : "已檢查資料庫格式更新", + "Checking updates of apps" : "檢查 app 更新", + "Checking whether the database schema for %s can be updated (this can take a long time depending on the database size)" : "檢查 %s 是否有可更新的資料庫格式(若資料庫較大,可能需要一段時間)", "Checked database schema update for apps" : "已檢查應用程式的資料庫格式更新", "Updated \"%s\" to %s" : "已更新 %s 到 %s", "Repair warning: " : "修復警告:", "Repair error: " : "修復錯誤", - "Following incompatible apps have been disabled: %s" : "以下不相容的應用程式已經被停用:%s", "Following apps have been disabled: %s" : "以下應用程式已經被停用:%s", "Already up to date" : "已經是最新版", "File is too big" : "檔案太大", @@ -18,6 +21,7 @@ "No image or file provided" : "未提供圖片或檔案", "Unknown filetype" : "未知的檔案類型", "Invalid image" : "無效的圖片", + "An error occurred. Please contact your admin." : "發生錯誤,請聯絡管理員", "No temporary profile picture available, try again" : "沒有臨時用的大頭貼,請再試一次", "No crop data provided" : "未設定剪裁", "No valid crop data provided" : "未提供有效的剪裁設定", @@ -116,9 +120,11 @@ "Email sent" : "Email 已寄出", "Resharing is not allowed" : "不允許重新分享", "Share link" : "分享連結", + "Link" : "連結", "Password protect" : "密碼保護", "Password" : "密碼", "Choose a password for the public link" : "為公開連結選一個密碼", + "Allow editing" : "允許編輯", "Email link to person" : "將連結 email 給別人", "Send" : "寄出", "Shared with you and the group {group} by {owner}" : "由 {owner} 分享給您和 {group}", @@ -144,7 +150,11 @@ "Edit tags" : "編輯標籤", "Error loading dialog template: {error}" : "載入對話樣板出錯:{error}", "No tags selected for deletion." : "沒有選擇要刪除的標籤", + "_download %n file_::_download %n files_" : ["下載 %n 個檔案"], + "{version} is available. Get more information on how to update." : "{version} 釋出了,可以更新", + "The upgrade is in progress, leaving this page might interrupt the process in some environments." : "正在更新,在某些狀況下,離開本頁面可能會導致更新中斷", "Updating {productName} to version {version}, this may take a while." : "正在更新 {productName} 到版本 {version} ,請稍候", + "An error occurred." : "發生錯誤", "Please reload the page." : "請重新整理頁面", "The update was unsuccessful. " : "更新失敗", "The update was successful. There were warnings." : "更新成功,有警告訊息", @@ -158,6 +168,9 @@ "New password" : "新密碼", "New Password" : "新密碼", "Reset password" : "重設密碼", + "Searching other places" : "搜尋其他位置", + "No search results in other folders" : "在其他資料夾中沒有找到", + "_{count} search result in another folder_::_{count} search results in other folders_" : ["在其他資料夾中有 {count} 比結果"], "Personal" : "個人", "Users" : "使用者", "Apps" : "應用程式", @@ -184,11 +197,13 @@ "Technical details" : "技術細節", "Remote Address: %s" : "遠端位置:%s", "Request ID: %s" : "請求編號:%s", + "Type: %s" : "類型:%s", "Code: %s" : "代碼:%s", "Message: %s" : "訊息:%s", "File: %s" : "檔案:%s", "Line: %s" : "行數:%s", "Trace" : "追蹤", + "Security warning" : "安全性警告", "Your data directory and files are probably accessible from the internet because the .htaccess file does not work." : "您的資料目錄看起來可以被 Internet 公開存取,因為 .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>", @@ -197,13 +212,21 @@ "Data folder" : "資料儲存位置", "Configure the database" : "設定資料庫", "Only %s is available." : "剩下 %s 可使用", + "Install and activate additional PHP modules to choose other database types." : "安裝並啟用相關 PHP 模組來使用其他種資料庫", + "For more details check out the documentation." : "更多細節詳見說明文件", "Database user" : "資料庫使用者", "Database password" : "資料庫密碼", "Database name" : "資料庫名稱", "Database tablespace" : "資料庫 tablespace", "Database host" : "資料庫主機", + "Performance warning" : "效能警告", + "SQLite will be used as database." : "將使用 SQLite 為資料庫", + "For larger installations we recommend to choose a different database backend." : "在大型安裝中建議使用其他種資料庫", + "Especially when using the desktop client for file syncing the use of SQLite is discouraged." : "若使用桌面版程式同步檔案,不建議使用 SQLite", "Finish setup" : "完成設定", "Finishing …" : "即將完成…", + "Need help?" : "需要幫助?", + "See the documentation" : "閱讀說明文件", "Log out" : "登出", "Search" : "搜尋", "Server side authentication failed!" : "伺服器端認證失敗!", diff --git a/core/shipped.json b/core/shipped.json index 184308d7a48..7d506c3401a 100644 --- a/core/shipped.json +++ b/core/shipped.json @@ -1,5 +1,4 @@ { - "core-version": "8.1.0.0", "shippedApps": [ "activity", "admin_audit", |